+ );
+ }
+
+}
diff --git a/app/javascript/mastodon/features/ui/components/report_modal.js b/app/javascript/mastodon/features/ui/components/report_modal.js
index 744dd248b..264da07ce 100644
--- a/app/javascript/mastodon/features/ui/components/report_modal.js
+++ b/app/javascript/mastodon/features/ui/components/report_modal.js
@@ -2,7 +2,7 @@ import React from 'react';
import { connect } from 'react-redux';
import { submitReport } from 'mastodon/actions/reports';
import { expandAccountTimeline } from 'mastodon/actions/timelines';
-import { fetchRules } from 'mastodon/actions/rules';
+import { fetchServer } from 'mastodon/actions/server';
import PropTypes from 'prop-types';
import ImmutablePropTypes from 'react-immutable-proptypes';
import { makeGetAccount } from 'mastodon/selectors';
@@ -117,7 +117,7 @@ class ReportModal extends ImmutablePureComponent {
const { dispatch, accountId } = this.props;
dispatch(expandAccountTimeline(accountId, { withReplies: true }));
- dispatch(fetchRules());
+ dispatch(fetchServer());
}
render () {
diff --git a/app/javascript/mastodon/features/ui/components/sign_in_banner.js b/app/javascript/mastodon/features/ui/components/sign_in_banner.js
new file mode 100644
index 000000000..5ff4ee2a8
--- /dev/null
+++ b/app/javascript/mastodon/features/ui/components/sign_in_banner.js
@@ -0,0 +1,13 @@
+import React from 'react';
+import { FormattedMessage } from 'react-intl';
+import { registrationsOpen } from 'mastodon/initial_state';
+
+const SignInBanner = () => (
+
+
+
+
+
+);
+
+export default SignInBanner;
diff --git a/app/javascript/mastodon/features/ui/index.js b/app/javascript/mastodon/features/ui/index.js
index 9a901f12a..efe460fab 100644
--- a/app/javascript/mastodon/features/ui/index.js
+++ b/app/javascript/mastodon/features/ui/index.js
@@ -13,14 +13,13 @@ import { debounce } from 'lodash';
import { uploadCompose, resetCompose, changeComposeSpoilerness } from '../../actions/compose';
import { expandHomeTimeline } from '../../actions/timelines';
import { expandNotifications } from '../../actions/notifications';
-import { fetchRules } from '../../actions/rules';
+import { fetchServer } from '../../actions/server';
import { clearHeight } from '../../actions/height_cache';
import { focusApp, unfocusApp, changeLayout } from 'mastodon/actions/app';
import { synchronouslySubmitMarkers, submitMarkers, fetchMarkers } from 'mastodon/actions/markers';
import { WrappedSwitch, WrappedRoute } from './util/react_router_helpers';
import UploadArea from './components/upload_area';
import ColumnsAreaContainer from './containers/columns_area_container';
-import DocumentTitle from './components/document_title';
import PictureInPicture from 'mastodon/features/picture_in_picture';
import {
Compose,
@@ -53,8 +52,9 @@ import {
Explore,
FollowRecommendations,
} from './util/async-components';
-import { me } from '../../initial_state';
+import { me, title } from '../../initial_state';
import { closeOnboarding, INTRODUCTION_VERSION } from 'mastodon/actions/onboarding';
+import { Helmet } from 'react-helmet';
// Dummy import, to make sure that ends up in the application bundle.
// Without this it ends up in ~8 very commonly used bundles.
@@ -110,6 +110,10 @@ const keyMap = {
class SwitchingColumnsArea extends React.PureComponent {
+ static contextTypes = {
+ identity: PropTypes.object,
+ };
+
static propTypes = {
children: PropTypes.node,
location: PropTypes.object,
@@ -145,12 +149,25 @@ class SwitchingColumnsArea extends React.PureComponent {
render () {
const { children, mobile } = this.props;
- const redirect = mobile ? : ;
+ const { signedIn } = this.context.identity;
+
+ let redirect;
+
+ if (signedIn) {
+ if (mobile) {
+ redirect = ;
+ } else {
+ redirect = ;
+ }
+ } else {
+ redirect = ;
+ }
return (
{redirect}
+
@@ -208,6 +225,7 @@ class UI extends React.PureComponent {
static contextTypes = {
router: PropTypes.object.isRequired,
+ identity: PropTypes.object.isRequired,
};
static propTypes = {
@@ -343,6 +361,8 @@ class UI extends React.PureComponent {
}
componentDidMount () {
+ const { signedIn } = this.context.identity;
+
window.addEventListener('focus', this.handleWindowFocus, false);
window.addEventListener('blur', this.handleWindowBlur, false);
window.addEventListener('beforeunload', this.handleBeforeUnload, false);
@@ -359,16 +379,18 @@ class UI extends React.PureComponent {
}
// On first launch, redirect to the follow recommendations page
- if (this.props.firstLaunch) {
+ if (signedIn && this.props.firstLaunch) {
this.context.router.history.replace('/start');
this.props.dispatch(closeOnboarding());
}
- this.props.dispatch(fetchMarkers());
- this.props.dispatch(expandHomeTimeline());
- this.props.dispatch(expandNotifications());
+ if (signedIn) {
+ this.props.dispatch(fetchMarkers());
+ this.props.dispatch(expandHomeTimeline());
+ this.props.dispatch(expandNotifications());
- setTimeout(() => this.props.dispatch(fetchRules()), 3000);
+ setTimeout(() => this.props.dispatch(fetchServer()), 3000);
+ }
this.hotkeys.__mousetrap__.stopCallback = (e, element) => {
return ['TEXTAREA', 'SELECT', 'INPUT'].includes(element.tagName);
@@ -546,7 +568,10 @@ class UI extends React.PureComponent {
-
+
+
+ {title}
+
);
diff --git a/app/javascript/mastodon/features/ui/util/async-components.js b/app/javascript/mastodon/features/ui/util/async-components.js
index 92c683e2f..29b06206a 100644
--- a/app/javascript/mastodon/features/ui/util/async-components.js
+++ b/app/javascript/mastodon/features/ui/util/async-components.js
@@ -161,3 +161,7 @@ export function CompareHistoryModal () {
export function Explore () {
return import(/* webpackChunkName: "features/explore" */'../../explore');
}
+
+export function FilterModal () {
+ return import(/*webpackChunkName: "modals/filter_modal" */'../components/filter_modal');
+}
diff --git a/app/javascript/mastodon/initial_state.js b/app/javascript/mastodon/initial_state.js
index b1dd07f61..08121005a 100644
--- a/app/javascript/mastodon/initial_state.js
+++ b/app/javascript/mastodon/initial_state.js
@@ -3,6 +3,7 @@ const initialState = element && JSON.parse(element.textContent);
const getMeta = (prop) => initialState && initialState.meta && initialState.meta[prop];
+export const domain = getMeta('domain');
export const reduceMotion = getMeta('reduce_motion');
export const autoPlayGif = getMeta('auto_play_gif');
export const displayMedia = getMeta('display_media');
@@ -14,6 +15,7 @@ export const me = getMeta('me');
export const searchEnabled = getMeta('search_enabled');
export const maxChars = (initialState && initialState.max_toot_chars) || 500;
export const limitedFederationMode = getMeta('limited_federation_mode');
+export const registrationsOpen = getMeta('registrations_open');
export const repository = getMeta('repository');
export const source_url = getMeta('source_url');
export const version = getMeta('version');
diff --git a/app/javascript/mastodon/locales/af.json b/app/javascript/mastodon/locales/af.json
index 4affc0883..b0b79234d 100644
--- a/app/javascript/mastodon/locales/af.json
+++ b/app/javascript/mastodon/locales/af.json
@@ -24,6 +24,7 @@
"account.follows_you": "Volg jou",
"account.hide_reblogs": "Versteek hupstoot vanaf @{name}",
"account.joined": "{date} aangesluit",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Eienaarskap van die skakel was getoets op {date}",
"account.locked_info": "Die rekening se privaatheidstatus is gesluit. Die eienaar hersien handmatig wie hom/haar kan volg.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Aankondiging",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ar.json b/app/javascript/mastodon/locales/ar.json
index d3f49b82f..00e91004e 100644
--- a/app/javascript/mastodon/locales/ar.json
+++ b/app/javascript/mastodon/locales/ar.json
@@ -24,6 +24,7 @@
"account.follows_you": "يُتابِعُك",
"account.hide_reblogs": "إخفاء مشاركات @{name}",
"account.joined": "انضم في {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "تمَّ التَّحقق مِن مِلْكيّة هذا الرابط بتاريخ {date}",
"account.locked_info": "تمَّ تعيين حالة خصوصية هذا الحساب إلى مُقفَل. يُراجع المالك يدويًا من يمكنه متابعته.",
"account.media": "وسائط",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "المعذرة!",
"announcement.announcement": "إعلان",
"attachments_list.unprocessed": "(غير معالَج)",
+ "audio.hide": "إخفاء المقطع الصوتي",
"autosuggest_hashtag.per_week": "{count} في الأسبوع",
"boost_modal.combo": "يُمكنك الضّغط على {combo} لتخطي هذا في المرة المُقبلة",
"bundle_column_error.body": "لقد حدث خطأ ما أثناء تحميل هذا العنصر.",
@@ -196,6 +198,22 @@
"explore.trending_links": "الأخبار",
"explore.trending_statuses": "المنشورات",
"explore.trending_tags": "الوسوم",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "صفحة الإعدادات",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "تم",
"follow_recommendations.heading": "تابع الأشخاص الذين ترغب في رؤية منشوراتهم! إليك بعض الاقتراحات.",
"follow_recommendations.lead": "ستظهر منشورات الأشخاص الذين تُتابعتهم بترتيب تسلسلي زمني على صفحتك الرئيسية. لا تخف إذا ارتكبت أي أخطاء، تستطيع إلغاء متابعة أي شخص في أي وقت تريد!",
@@ -209,8 +227,8 @@
"getting_started.heading": "استعدّ للبدء",
"getting_started.invite": "دعوة أشخاص",
"getting_started.open_source_notice": "ماستدون برنامج مفتوح المصدر. يمكنك المساهمة، أو الإبلاغ عن تقارير الأخطاء، على جيت هب {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "أي كان مِن هذه",
"hashtag.column_settings.tag_mode.none": "لا شيء مِن هذه",
"hashtag.column_settings.tag_toggle": "إدراج الوسوم الإضافية لهذا العمود",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "الأساسية",
"home.column_settings.show_reblogs": "اعرض الترقيات",
"home.column_settings.show_replies": "اعرض الردود",
@@ -327,7 +347,7 @@
"notification.update": "عدّلَ {name} منشورًا",
"notifications.clear": "امسح الإخطارات",
"notifications.clear_confirmation": "أمتأكد من أنك تود مسح جل الإخطارات الخاصة بك و المتلقاة إلى حد الآن ؟",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "التقارير الجديدة:",
"notifications.column_settings.admin.sign_up": "التسجيلات الجديدة:",
"notifications.column_settings.alert": "إشعارات سطح المكتب",
"notifications.column_settings.favourite": "المُفَضَّلة:",
@@ -434,8 +454,8 @@
"report.unfollow": "إلغاء متابعة @{name}",
"report.unfollow_explanation": "أنت تتابع هذا الحساب، لإزالة مَنشوراته من تغذيَتِكَ الرئيسة ألغ متابعته.",
"report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
- "report_notification.categories.spam": "Spam",
+ "report_notification.categories.other": "آخر",
+ "report_notification.categories.spam": "مزعج",
"report_notification.categories.violation": "Rule violation",
"report_notification.open": "Open report",
"search.placeholder": "ابحث",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "تعذر العثور على نتائج تتضمن هذه المصطلحات",
"search_results.statuses": "المنشورات",
"search_results.statuses_fts_disabled": "البحث عن المنشورات عن طريق المحتوى ليس مفعل في خادم ماستدون هذا.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, zero {} one {نتيجة} two {نتيجتين} few {نتائج} many {نتائج} other {نتائج}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "افتح الواجهة الإدارية لـ @{name}",
"status.admin_status": "افتح هذا المنشور على واجهة الإشراف",
"status.block": "احجب @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "عُدّل {count, plural, zero {} one {{count} مرة} two {{count} مرتين} few {{count} مرات} many {{count} مرات} other {{count} مرة}}",
"status.embed": "إدماج",
"status.favourite": "أضف إلى المفضلة",
+ "status.filter": "Filter this post",
"status.filtered": "مُصفّى",
- "status.hide": "Hide toot",
+ "status.hide": "اخف التبويق",
"status.history.created": "أنشأه {name} {date}",
"status.history.edited": "عدله {name} {date}",
"status.load_more": "حمّل المزيد",
@@ -492,15 +517,21 @@
"status.report": "ابلِغ عن @{name}",
"status.sensitive_warning": "محتوى حساس",
"status.share": "مشاركة",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "إظهار على أي حال",
"status.show_less": "اعرض أقلّ",
"status.show_less_all": "طي الكل",
"status.show_more": "أظهر المزيد",
"status.show_more_all": "توسيع الكل",
+ "status.show_original": "Show original",
"status.show_thread": "الكشف عن المحادثة",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "غير متوفر",
"status.unmute_conversation": "فك الكتم عن المحادثة",
"status.unpin": "فك التدبيس من الصفحة التعريفية",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "حفظ التغييرات",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "إلغاء الاقتراح",
"suggestions.header": "يمكن أن يهمك…",
"tabs_bar.federated_timeline": "الموحَّد",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "المتابِعون",
"timeline_hint.resources.follows": "المتابَعون",
"timeline_hint.resources.statuses": "المنشورات القديمة",
- "trends.counter_by_accounts": "{count,plural,zero{} one{{counter} شخص} two{{counter} شخصين} few{{counter} أشخاص } many{{counter} شخص} other{{counter} شخص}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "المتداولة الآن",
"ui.beforeunload": "سوف تفقد مسودتك إن تركت ماستدون.",
"units.short.billion": "{count} مليار",
diff --git a/app/javascript/mastodon/locales/ast.json b/app/javascript/mastodon/locales/ast.json
index ba4de0db7..560c8ec5f 100644
--- a/app/javascript/mastodon/locales/ast.json
+++ b/app/javascript/mastodon/locales/ast.json
@@ -24,6 +24,7 @@
"account.follows_you": "Síguete",
"account.hide_reblogs": "Anubrir les comparticiones de @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "La propiedá d'esti enllaz foi comprobada'l {date}",
"account.locked_info": "This account privacy status is set to locked. The owner manually reviews who can follow them.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "¡Meca!",
"announcement.announcement": "Anunciu",
"attachments_list.unprocessed": "(ensin procesar)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per selmana",
"boost_modal.combo": "Pues primir {combo} pa saltar esto la próxima vegada",
"bundle_column_error.body": "Asocedió daqué malo mentanto se cargaba esti componente.",
@@ -92,8 +94,8 @@
"community.column_settings.local_only": "Local only",
"community.column_settings.media_only": "Namái multimedia",
"community.column_settings.remote_only": "Remote only",
- "compose.language.change": "Change language",
- "compose.language.search": "Search languages...",
+ "compose.language.change": "Camudar la llingua",
+ "compose.language.search": "Buscar llingües…",
"compose_form.direct_message_warning_learn_more": "Saber más",
"compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
"compose_form.hashtag_warning": "This post won't be listed under any hashtag as it is unlisted. Only public posts can be searched by hashtag.",
@@ -148,7 +150,7 @@
"directory.recently_active": "Actividá recién",
"embed.instructions": "Empotra esti estáu nun sitiu web copiando'l códigu d'embaxo.",
"embed.preview": "Asina ye cómo va vese:",
- "emoji_button.activity": "Actividaes",
+ "emoji_button.activity": "Actividá",
"emoji_button.clear": "Clear",
"emoji_button.custom": "Custom",
"emoji_button.flags": "Banderes",
@@ -169,7 +171,7 @@
"empty_column.blocks": "Entá nun bloquiesti a nengún usuariu.",
"empty_column.bookmarked_statuses": "Entá nun tienes nengún barritu en Marcadores. Cuando amiestes unu, va amosase equí.",
"empty_column.community": "The local timeline is empty. Write something publicly to get the ball rolling!",
- "empty_column.direct": "Entá nun tienes nengún mensaxe direutu. Cuando unvies o recibas dalgún, apaez equí.",
+ "empty_column.direct": "Entá nun tienes nengún mensaxe direutu. Cuando unvies o recibas dalgún, apaecen equí.",
"empty_column.domain_blocks": "Entá nun hai dominios anubríos.",
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
"empty_column.favourited_statuses": "Entá nun tienes nengún barritu en Favoritos. Cuando amiestes unu, va amosase equí.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Noticies",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Etiquetes",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Entamu",
"getting_started.invite": "Convidar a persones",
"getting_started.open_source_notice": "Mastodon ye software de códigu abiertu. Pues collaborar o informar de fallos en the computer lab: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Axustes de la cuenta",
- "getting_started.terms": "Términos del serviciu",
"hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "ensin {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cualesquiera d'estes",
"hashtag.column_settings.tag_mode.none": "Nenguna d'estes",
"hashtag.column_settings.tag_toggle": "Incluyir les etiquetes adicionales d'esta columna",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Amosar rempuestes",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Nun se pudo atopar nada con esos términos de busca",
"search_results.statuses": "Barritos",
"search_results.statuses_fts_disabled": "Esti sirvidor de Mastodon tien activada la gueta de barritos pol so conteníu.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resultáu} other {resultaos}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Bloquiar a @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Empotrar",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Amosar menos en too",
"status.show_more": "Amosar más",
"status.show_more_all": "Amosar más en too",
+ "status.show_original": "Show original",
"status.show_thread": "Amosar el filu",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Non disponible",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Desfixar del perfil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "Quiciabes t'interese…",
"tabs_bar.federated_timeline": "Fediversu",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older posts",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "En tendencia",
"ui.beforeunload": "El borrador va perdese si coles de Mastodon.",
"units.short.billion": "{count} B",
diff --git a/app/javascript/mastodon/locales/bg.json b/app/javascript/mastodon/locales/bg.json
index 18d95b5dd..0bb60d8bd 100644
--- a/app/javascript/mastodon/locales/bg.json
+++ b/app/javascript/mastodon/locales/bg.json
@@ -18,12 +18,13 @@
"account.followers": "Последователи",
"account.followers.empty": "Все още никой не следва този потребител.",
"account.followers_counter": "{count, plural, one {{counter} Последовател} other {{counter} Последователи}}",
- "account.following": "Following",
+ "account.following": "Последвани",
"account.following_counter": "{count, plural, one {{counter} Последван} other {{counter} Последвани}}",
"account.follows.empty": "Този потребител все още не следва никого.",
"account.follows_you": "Твой последовател",
"account.hide_reblogs": "Скриване на споделяния от @{name}",
- "account.joined": "Joined {date}",
+ "account.joined": "Присъединил се на {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Собствеността върху тази връзка е проверена на {date}",
"account.locked_info": "Този акаунт е поверително заключен. Собственикът преглежда ръчно кой може да го следва.",
"account.media": "Мултимедия",
@@ -41,24 +42,25 @@
"account.statuses_counter": "{count, plural, one {{counter} Публикация} other {{counter} Публикации}}",
"account.unblock": "Не блокирай",
"account.unblock_domain": "Unhide {domain}",
- "account.unblock_short": "Unblock",
+ "account.unblock_short": "Отблокирай",
"account.unendorse": "Не включвайте в профила",
"account.unfollow": "Не следвай",
"account.unmute": "Раззаглушаване на @{name}",
"account.unmute_notifications": "Раззаглушаване на известия от @{name}",
"account.unmute_short": "Unmute",
"account_note.placeholder": "Click to add a note",
- "admin.dashboard.daily_retention": "User retention rate by day after sign-up",
- "admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
- "admin.dashboard.retention.average": "Average",
- "admin.dashboard.retention.cohort": "Sign-up month",
- "admin.dashboard.retention.cohort_size": "New users",
+ "admin.dashboard.daily_retention": "Ниво на задържани на потребители след регистрация, в дни",
+ "admin.dashboard.monthly_retention": "Ниво на задържани на потребители след регистрация, в месеци",
+ "admin.dashboard.retention.average": "Средно",
+ "admin.dashboard.retention.cohort": "Месец на регистрацията",
+ "admin.dashboard.retention.cohort_size": "Нови потребители",
"alert.rate_limited.message": "Моля, опитайте отново след {retry_time, time, medium}.",
"alert.rate_limited.title": "Скоростта е ограничена",
"alert.unexpected.message": "Възникна неочаквана грешка.",
"alert.unexpected.title": "Опаа!",
"announcement.announcement": "Оповестяване",
- "attachments_list.unprocessed": "(unprocessed)",
+ "attachments_list.unprocessed": "(необработен)",
+ "audio.hide": "Скриване на видеото",
"autosuggest_hashtag.per_week": "{count} на седмица",
"boost_modal.combo": "Можете да натиснете {combo}, за да пропуснете това следващия път",
"bundle_column_error.body": "Нещо се обърка при зареждането на този компонент.",
@@ -70,7 +72,7 @@
"column.blocks": "Блокирани потребители",
"column.bookmarks": "Отметки",
"column.community": "Локална емисия",
- "column.direct": "Direct messages",
+ "column.direct": "Лични съобщения",
"column.directory": "Преглед на профили",
"column.domain_blocks": "Hidden domains",
"column.favourites": "Любими",
@@ -92,10 +94,10 @@
"community.column_settings.local_only": "Само локално",
"community.column_settings.media_only": "Media only",
"community.column_settings.remote_only": "Само дистанционно",
- "compose.language.change": "Change language",
- "compose.language.search": "Search languages...",
+ "compose.language.change": "Смяна на езика",
+ "compose.language.search": "Търсене на езици...",
"compose_form.direct_message_warning_learn_more": "Още информация",
- "compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
+ "compose_form.encryption_warning": "Поставете в Мастодон не са криптирани от край до край. Не споделяйте никаква чувствителна информация.",
"compose_form.hashtag_warning": "Тази публикация няма да бъде изброена под нито един хаштаг, тъй като е скрита. Само публични публикации могат да се търсят по хаштаг.",
"compose_form.lock_disclaimer": "Вашият акаунт не е {locked}. Всеки може да ви последва, за да прегледа вашите публикации само за последователи.",
"compose_form.lock_disclaimer.lock": "заключено",
@@ -106,9 +108,9 @@
"compose_form.poll.remove_option": "Премахване на този избор",
"compose_form.poll.switch_to_multiple": "Промяна на анкетата, за да се позволят множество възможни избора",
"compose_form.poll.switch_to_single": "Промяна на анкетата, за да се позволи един възможен избор",
- "compose_form.publish": "Publish",
+ "compose_form.publish": "Публикувай",
"compose_form.publish_loud": "{publish}!",
- "compose_form.save_changes": "Save changes",
+ "compose_form.save_changes": "Запази промените",
"compose_form.sensitive.hide": "{count, plural, one {Маркиране на мултимедията като деликатна} other {Маркиране на мултимедиите като деликатни}}",
"compose_form.sensitive.marked": "{count, plural, one {Мултимедията е маркирана като деликатна} other {Мултимедиите са маркирани като деликатни}}",
"compose_form.sensitive.unmarked": "{count, plural, one {Мултимедията не е маркирана като деликатна} other {Мултимедиите не са маркирани като деликатни}}",
@@ -123,8 +125,8 @@
"confirmations.delete.message": "Are you sure you want to delete this status?",
"confirmations.delete_list.confirm": "Изтриване",
"confirmations.delete_list.message": "Сигурни ли сте, че искате да изтриете окончателно този списък?",
- "confirmations.discard_edit_media.confirm": "Discard",
- "confirmations.discard_edit_media.message": "You have unsaved changes to the media description or preview, discard them anyway?",
+ "confirmations.discard_edit_media.confirm": "Отмени",
+ "confirmations.discard_edit_media.message": "Имате незапазени промени на описанието или прегледа на медията, отмяна въпреки това?",
"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.",
"confirmations.logout.confirm": "Излизане",
@@ -142,14 +144,14 @@
"conversation.mark_as_read": "Маркиране като прочетено",
"conversation.open": "Преглед на разговор",
"conversation.with": "С {names}",
- "directory.federated": "From known fediverse",
+ "directory.federated": "От познат федивърс",
"directory.local": "Само от {domain}",
"directory.new_arrivals": "Новодошли",
"directory.recently_active": "Наскоро активни",
"embed.instructions": "Embed this status on your website by copying the code below.",
"embed.preview": "Ето как ще изглежда:",
"emoji_button.activity": "Дейност",
- "emoji_button.clear": "Clear",
+ "emoji_button.clear": "Изчисти",
"emoji_button.custom": "Персонализирано",
"emoji_button.flags": "Знамена",
"emoji_button.food": "Храна и напитки",
@@ -169,16 +171,16 @@
"empty_column.blocks": "Не сте блокирали потребители все още.",
"empty_column.bookmarked_statuses": "Все още нямате отметнати публикации. Когато отметнете някоя, тя ще се покаже тук.",
"empty_column.community": "Локалната емисия е празна. Напишете нещо публично, за да започнете!",
- "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
+ "empty_column.direct": "Все още нямате лични съобщения. Когато изпратите или получите ще се покаже тук.",
"empty_column.domain_blocks": "There are no hidden domains yet.",
- "empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
+ "empty_column.explore_statuses": "Няма нищо популярно в момента. Проверете пак по-късно!",
"empty_column.favourited_statuses": "Все още нямате любими публикации. Когато поставите някоя в любими, тя ще се покаже тук.",
"empty_column.favourites": "Все още никой не е поставил тази публикация в любими. Когато някой го направи, ще се покаже тук.",
- "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
+ "empty_column.follow_recommendations": "Изглежда, че няма генерирани предложения за вас. Можете да опитате да търсите за хора, които знаете или да разгледате популярните тагове.",
"empty_column.follow_requests": "Все още нямате заявки за последване. Когато получите такава, тя ще се покаже тук.",
"empty_column.hashtag": "В този хаштаг няма нищо все още.",
"empty_column.home": "Вашата начална емисия е празна! Посетете {public} или използвайте търсене, за да започнете и да се запознаете с други потребители.",
- "empty_column.home.suggestions": "See some suggestions",
+ "empty_column.home.suggestions": "Виж някои предложения",
"empty_column.list": "There is nothing in this list yet.",
"empty_column.lists": "Все още нямате списъци. Когато създадете такъв, той ще се покаже тук.",
"empty_column.mutes": "Не сте заглушавали потребители все още.",
@@ -188,15 +190,31 @@
"error.unexpected_crash.explanation_addons": "Тази страница не може да се покаже правилно. Тази грешка вероятно е причинена от добавка на браузъра или инструменти за автоматичен превод.",
"error.unexpected_crash.next_steps": "Опитайте да опресните страницата. Ако това не помогне, все още можете да използвате Mastodon чрез различен браузър или приложение.",
"error.unexpected_crash.next_steps_addons": "Опитайте да ги деактивирате и да опресните страницата. Ако това не помогне, може все още да използвате Mastodon чрез различен браузър или приложение.",
- "errors.unexpected_crash.copy_stacktrace": "Copy stacktrace to clipboard",
+ "errors.unexpected_crash.copy_stacktrace": "Копиране на stacktrace-а в клипборда",
"errors.unexpected_crash.report_issue": "Сигнал за проблем",
- "explore.search_results": "Search results",
- "explore.suggested_follows": "For you",
- "explore.title": "Explore",
- "explore.trending_links": "News",
- "explore.trending_statuses": "Posts",
- "explore.trending_tags": "Hashtags",
- "follow_recommendations.done": "Done",
+ "explore.search_results": "Резултати от търсенето",
+ "explore.suggested_follows": "За вас",
+ "explore.title": "Разглеждане",
+ "explore.trending_links": "Новини",
+ "explore.trending_statuses": "Публикации",
+ "explore.trending_tags": "Тагове",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Несъвпадение на контекста!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Изтекал филтър!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Настройки на филтър",
+ "filter_modal.added.settings_link": "страница с настройки",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Филтърът е добавен!",
+ "filter_modal.select_filter.context_mismatch": "не е приложимо за този контекст",
+ "filter_modal.select_filter.expired": "изтекло",
+ "filter_modal.select_filter.prompt_new": "Нова категория: {name}",
+ "filter_modal.select_filter.search": "Търси или създай",
+ "filter_modal.select_filter.subtitle": "Изберете съществуваща категория или създайте нова",
+ "filter_modal.select_filter.title": "Филтриране на поста",
+ "filter_modal.title.status": "Филтрирай пост",
+ "follow_recommendations.done": "Готово",
"follow_recommendations.heading": "Следвайте хора, които харесвате, за да виждате техните съобщения! Ето някои предложения.",
"follow_recommendations.lead": "Съобщения от хора, които следвате, ще се показват в хронологичен ред на вашата главна страница. Не се страхувайте, че ще сгрешите, по всяко време много лесно можете да спрете да ги следвате!",
"follow_request.authorize": "Упълномощаване",
@@ -209,8 +227,8 @@
"getting_started.heading": "Първи стъпки",
"getting_started.invite": "Поканване на хора",
"getting_started.open_source_notice": "Mastodon е софтуер с отворен код. Можеш да помогнеш или да докладваш за проблеми в Github: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Някое от тези",
"hashtag.column_settings.tag_mode.none": "Никое от тези",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Следване на хаштаг",
+ "hashtag.unfollow": "Спиране на следване на хаштаг",
"home.column_settings.basic": "Основно",
"home.column_settings.show_reblogs": "Показване на споделяния",
"home.column_settings.show_replies": "Показване на отговори",
@@ -267,8 +287,8 @@
"lightbox.expand": "Разгъване на полето за преглед на изображение",
"lightbox.next": "Напред",
"lightbox.previous": "Назад",
- "limited_account_hint.action": "Show profile anyway",
- "limited_account_hint.title": "This profile has been hidden by the moderators of your server.",
+ "limited_account_hint.action": "Покажи профила въпреки това",
+ "limited_account_hint.title": "Този профил е скрит от модераторите на сървъра Ви.",
"lists.account.add": "Добавяне към списък",
"lists.account.remove": "Премахване от списък",
"lists.delete": "Изтриване на списък",
@@ -295,11 +315,11 @@
"navigation_bar.bookmarks": "Отметки",
"navigation_bar.community_timeline": "Локална емисия",
"navigation_bar.compose": "Композиране на нова публикация",
- "navigation_bar.direct": "Direct messages",
+ "navigation_bar.direct": "Директни съобщения",
"navigation_bar.discover": "Откриване",
"navigation_bar.domain_blocks": "Hidden domains",
"navigation_bar.edit_profile": "Редактирай профил",
- "navigation_bar.explore": "Explore",
+ "navigation_bar.explore": "Разглеждане",
"navigation_bar.favourites": "Любими",
"navigation_bar.filters": "Заглушени думи",
"navigation_bar.follow_requests": "Заявки за последване",
@@ -314,8 +334,8 @@
"navigation_bar.preferences": "Предпочитания",
"navigation_bar.public_timeline": "Публичен канал",
"navigation_bar.security": "Сигурност",
- "notification.admin.report": "{name} reported {target}",
- "notification.admin.sign_up": "{name} signed up",
+ "notification.admin.report": "{name} докладва {target}",
+ "notification.admin.sign_up": "{name} се регистрира",
"notification.favourite": "{name} хареса твоята публикация",
"notification.follow": "{name} те последва",
"notification.follow_request": "{name} поиска да ви последва",
@@ -324,16 +344,16 @@
"notification.poll": "Анкета, в която сте гласували, приключи",
"notification.reblog": "{name} сподели твоята публикация",
"notification.status": "{name} току-що публикува",
- "notification.update": "{name} edited a post",
+ "notification.update": "{name} промени публикация",
"notifications.clear": "Изчистване на известия",
"notifications.clear_confirmation": "Сигурни ли сте, че искате да изчистите окончателно всичките си известия?",
- "notifications.column_settings.admin.report": "New reports:",
- "notifications.column_settings.admin.sign_up": "New sign-ups:",
+ "notifications.column_settings.admin.report": "Нови доклади:",
+ "notifications.column_settings.admin.sign_up": "Нови регистрации:",
"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_bar": "Show filter bar",
+ "notifications.column_settings.filter_bar.show_bar": "Покажи лентата с филтри",
"notifications.column_settings.follow": "Нови последователи:",
"notifications.column_settings.follow_request": "Нови заявки за последване:",
"notifications.column_settings.mention": "Споменавания:",
@@ -343,9 +363,9 @@
"notifications.column_settings.show": "Покажи в колона",
"notifications.column_settings.sound": "Пускане на звук",
"notifications.column_settings.status": "Нови публикации:",
- "notifications.column_settings.unread_notifications.category": "Unread notifications",
- "notifications.column_settings.unread_notifications.highlight": "Highlight unread notifications",
- "notifications.column_settings.update": "Edits:",
+ "notifications.column_settings.unread_notifications.category": "Непрочетени известия",
+ "notifications.column_settings.unread_notifications.highlight": "Отбележи непрочетените уведомления",
+ "notifications.column_settings.update": "Редакции:",
"notifications.filter.all": "Всичко",
"notifications.filter.boosts": "Споделяния",
"notifications.filter.favourites": "Любими",
@@ -369,15 +389,15 @@
"poll.total_votes": "{count, plural, one {# глас} other {# гласа}}",
"poll.vote": "Гласуване",
"poll.voted": "Вие гласувахте за този отговор",
- "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
+ "poll.votes": "{votes, plural, one {# глас} other {# гласа}}",
"poll_button.add_poll": "Добавяне на анкета",
"poll_button.remove_poll": "Премахване на анкета",
"privacy.change": "Adjust status privacy",
"privacy.direct.long": "Post to mentioned users only",
- "privacy.direct.short": "Direct",
+ "privacy.direct.short": "Само споменатите хора",
"privacy.private.long": "Post to followers only",
- "privacy.private.short": "Followers-only",
- "privacy.public.long": "Visible for all",
+ "privacy.private.short": "Само последователи",
+ "privacy.public.long": "Видимо за всички",
"privacy.public.short": "Публично",
"privacy.unlisted.long": "Visible for all, but opted-out of discovery features",
"privacy.unlisted.short": "Скрито",
@@ -448,10 +468,14 @@
"search_results.accounts": "Хора",
"search_results.all": "All",
"search_results.hashtags": "Хаштагове",
- "search_results.nothing_found": "Could not find anything for these search terms",
+ "search_results.nothing_found": "Не е намерено нищо за това търсене",
"search_results.statuses": "Публикации",
"search_results.statuses_fts_disabled": "Търсенето на публикации по тяхното съдържание не е активирано за този Mastodon сървър.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {резултат} other {резултата}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Отваряне на интерфейс за модериране за @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Блокиране на @{name}",
@@ -462,15 +486,16 @@
"status.delete": "Изтриване",
"status.detailed_status": "Подробен изглед на разговор",
"status.direct": "Директно съобщение към @{name}",
- "status.edit": "Edit",
- "status.edited": "Edited {date}",
- "status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
+ "status.edit": "Редакция",
+ "status.edited": "Редактирано на {date}",
+ "status.edited_x_times": "Редактирано {count, plural,one {{count} път} other {{count} пъти}}",
"status.embed": "Вграждане",
"status.favourite": "Предпочитани",
+ "status.filter": "Филтриране на поста",
"status.filtered": "Филтрирано",
- "status.hide": "Hide toot",
- "status.history.created": "{name} created {date}",
- "status.history.edited": "{name} edited {date}",
+ "status.hide": "Скриване на поста",
+ "status.history.created": "{name} създаде {date}",
+ "status.history.edited": "{name} редактира {date}",
"status.load_more": "Зареждане на още",
"status.media_hidden": "Мултимедията е скрита",
"status.mention": "Споменаване",
@@ -492,15 +517,21 @@
"status.report": "Докладване на @{name}",
"status.sensitive_warning": "Деликатно съдържание",
"status.share": "Споделяне",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Покажи въпреки това",
"status.show_less": "Покажи по-малко",
"status.show_less_all": "Покажи по-малко за всички",
"status.show_more": "Покажи повече",
"status.show_more_all": "Покажи повече за всички",
+ "status.show_original": "Show original",
"status.show_thread": "Показване на тема",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Не е налично",
"status.unmute_conversation": "Раззаглушаване на разговор",
"status.unpin": "Разкачане от профил",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Отхвърляне на предложение",
"suggestions.header": "Може да се интересувате от…",
"tabs_bar.federated_timeline": "Обединен",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Последователи",
"timeline_hint.resources.follows": "Последвани",
"timeline_hint.resources.statuses": "По-стари публикации",
- "trends.counter_by_accounts": "{count, plural, one {{counter} човек} other {{counter} човека}} говорят",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Налагащи се сега",
"ui.beforeunload": "Черновата ви ще бъде загубена, ако излезете от Mastodon.",
"units.short.billion": "{count}млрд",
@@ -529,14 +560,14 @@
"upload_error.poll": "Качването на файлове не е позволено с анкети.",
"upload_form.audio_description": "Опишете за хора със загуба на слуха",
"upload_form.description": "Опишете за хора със зрителни увреждания",
- "upload_form.description_missing": "No description added",
+ "upload_form.description_missing": "Без добавено описание",
"upload_form.edit": "Редакция",
"upload_form.thumbnail": "Промяна на миниизображението",
"upload_form.undo": "Отмяна",
"upload_form.video_description": "Опишете за хора със загуба на слуха или зрително увреждане",
"upload_modal.analyzing_picture": "Анализ на снимка…",
"upload_modal.apply": "Прилагане",
- "upload_modal.applying": "Applying…",
+ "upload_modal.applying": "Прилагане…",
"upload_modal.choose_image": "Избор на изображение",
"upload_modal.description_placeholder": "Ах, чудна българска земьо, полюшвай цъфтящи жита",
"upload_modal.detect_text": "Откриване на текст от картина",
diff --git a/app/javascript/mastodon/locales/bn.json b/app/javascript/mastodon/locales/bn.json
index 34d650234..87c62cd90 100644
--- a/app/javascript/mastodon/locales/bn.json
+++ b/app/javascript/mastodon/locales/bn.json
@@ -24,6 +24,7 @@
"account.follows_you": "তোমাকে অনুসরণ করে",
"account.hide_reblogs": "@{name}'র সমর্থনগুলি লুকিয়ে ফেলুন",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "এই লিংকের মালিকানা চেক করা হয়েছে {date} তারিখে",
"account.locked_info": "এই নিবন্ধনের গোপনীয়তার ক্ষেত্র তালা দেওয়া আছে। নিবন্ধনকারী অনুসরণ করার অনুমতি যাদেরকে দেবেন, শুধু তারাই অনুসরণ করতে পারবেন।",
"account.media": "মিডিয়া",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "ওহো!",
"announcement.announcement": "ঘোষণা",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "প্রতি সপ্তাহে {count}",
"boost_modal.combo": "পরেরবার আপনি {combo} টিপলে এটি আর আসবে না",
"bundle_column_error.body": "এই অংশটি দেখতে যেয়ে কোনো সমস্যা হয়েছে।.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "সম্পন্ন",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "শুরু করা",
"getting_started.invite": "অন্যদের আমন্ত্রণ করুন",
"getting_started.open_source_notice": "মাস্টাডন একটি মুক্ত সফটওয়্যার। তৈরিতে সাহায্য করতে বা কোনো সমস্যা সম্পর্কে জানাতে আমাদের গিটহাবে যেতে পারেন {github}।",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "এর ভেতরে যেকোনোটা",
"hashtag.column_settings.tag_mode.none": "এগুলোর একটাও না",
"hashtag.column_settings.tag_toggle": "আরো ট্যাগ এই কলামে যুক্ত করতে",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "সাধারণ",
"home.column_settings.show_reblogs": "সমর্থনগুলো দেখান",
"home.column_settings.show_replies": "মতামত দেখান",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "টুট",
"search_results.statuses_fts_disabled": "তাদের সামগ্রী দ্বারা টুটগুলি অনুসন্ধান এই মস্তোডন সার্ভারে সক্ষম নয়।",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {ফলাফল} other {ফলাফল}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "@{name} র জন্য পরিচালনার ইন্টারফেসে ঢুকুন",
"status.admin_status": "যায় লেখাটি পরিচালনার ইন্টারফেসে খুলুন",
"status.block": "@{name} কে ব্লক করুন",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "এমবেড করতে",
"status.favourite": "পছন্দের করতে",
+ "status.filter": "Filter this post",
"status.filtered": "ছাঁকনিদিত",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "সবগুলোতে কম দেখতে",
"status.show_more": "আরো দেখাতে",
"status.show_more_all": "সবগুলোতে আরো দেখতে",
+ "status.show_original": "Show original",
"status.show_thread": "আলোচনা দেখতে",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "পাওয়া যাচ্ছে না",
"status.unmute_conversation": "আলোচনার প্রজ্ঞাপন চালু করতে",
"status.unpin": "নিজের পাতা থেকে পিন করে রাখাটির পিন খুলতে",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "সাহায্যের পরামর্শগুলো সরাতে",
"suggestions.header": "আপনি হয়তোবা এগুলোতে আগ্রহী হতে পারেন…",
"tabs_bar.federated_timeline": "যুক্তবিশ্ব",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "অনুসরকারীরা",
"timeline_hint.resources.follows": "অনুসরণ করে",
"timeline_hint.resources.statuses": "পুরনো টুটগুলি",
- "trends.counter_by_accounts": "{count, plural,one {{counter} জন ব্যক্তি} other {{counter} জন লোক}} কথা বলছে",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "বর্তমানে জনপ্রিয়",
"ui.beforeunload": "যে পর্যন্ত এটা লেখা হয়েছে, মাস্টাডন থেকে চলে গেলে এটা মুছে যাবে।",
"units.short.billion": "{count}বিলিয়ন",
diff --git a/app/javascript/mastodon/locales/br.json b/app/javascript/mastodon/locales/br.json
index 55b0bbeff..1094893dc 100644
--- a/app/javascript/mastodon/locales/br.json
+++ b/app/javascript/mastodon/locales/br.json
@@ -18,12 +18,13 @@
"account.followers": "Heulier·ezed·ien",
"account.followers.empty": "Den na heul an implijer-mañ c'hoazh.",
"account.followers_counter": "{count, plural, other{{counter} Heulier}}",
- "account.following": "Following",
+ "account.following": "O heuliañ",
"account.following_counter": "{count, plural, other {{counter} Heuliañ}}",
"account.follows.empty": "An implijer·ez-mañ na heul den ebet.",
"account.follows_you": "Ho heul",
"account.hide_reblogs": "Kuzh toudoù rannet gant @{name}",
"account.joined": "Amañ abaoe {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Gwiriet eo bet perc'hennidigezh al liamm d'an deiziad-mañ : {date}",
"account.locked_info": "Prennet eo ar gont-mañ. Dibab a ra ar perc'henn ar re a c'hall heuliañ anezhi pe anezhañ.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hopala!",
"announcement.announcement": "Kemenn",
"attachments_list.unprocessed": "(ket meret)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} bep sizhun",
"boost_modal.combo": "Ar wezh kentañ e c'halliot gwaskañ war {combo} evit tremen hebiou",
"bundle_column_error.body": "Degouezhet ez eus bet ur fazi en ur gargañ an elfenn-mañ.",
@@ -108,7 +110,7 @@
"compose_form.poll.switch_to_single": "Kemmañ ar sontadeg evit aotren un dibab hepken",
"compose_form.publish": "Embann",
"compose_form.publish_loud": "{publish} !",
- "compose_form.save_changes": "Save changes",
+ "compose_form.save_changes": "Enrollañ ar cheñchamantoù",
"compose_form.sensitive.hide": "Merkañ ar media evel kizidik",
"compose_form.sensitive.marked": "Merket eo ar media evel kizidik",
"compose_form.sensitive.unmarked": "N'eo ket merket ar media evel kizidik",
@@ -149,7 +151,7 @@
"embed.instructions": "Enkorfit ar statud war ho lec'hienn en ur eilañ ar c'hod dindan.",
"embed.preview": "Setu penaos e vo diskouezet:",
"emoji_button.activity": "Obererezh",
- "emoji_button.clear": "Clear",
+ "emoji_button.clear": "Diverkañ",
"emoji_button.custom": "Kempennet",
"emoji_button.flags": "Bannieloù",
"emoji_button.food": "Boued hag Evaj",
@@ -169,7 +171,7 @@
"empty_column.blocks": "N'eus ket bet berzet implijer·ez ganeoc'h c'hoazh.",
"empty_column.bookmarked_statuses": "N'ho peus toud ebet enrollet en ho sinedoù c'hoazh. Pa vo ouzhpennet unan ganeoc'h e teuio war wel amañ.",
"empty_column.community": "Goulo eo ar red-amzer lec'hel. Skrivit'ta un dra evit lakaat tan dezhi !",
- "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
+ "empty_column.direct": "N'ho peus kemennad prevez ebet c'hoazh. Pa vo resevet pe kaset unan ganeoc'h e teuio war wel amañ.",
"empty_column.domain_blocks": "N'eus domani kuzh ebet c'hoazh.",
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
"empty_column.favourited_statuses": "N'ho peus toud muiañ-karet ebet c'hoazh. Pa vo lakaet unan ganeoc'h e vo diskouezet amañ.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Keleier",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Gerioù-klik",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Graet",
"follow_recommendations.heading": "Heuliit tud e plijfe deoc'h lenn toudoù! Setu un tamm alioù.",
"follow_recommendations.lead": "Toudoù eus tud heuliet ganeoc'h a zeuio war wel en un urzh amzeroniezhel war ho red degemer. N'ho peus ket aon ober fazioù, gallout a rit paouez heuliañ tud ken aes n'eus forzh pegoulz!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Loc'hañ",
"getting_started.invite": "Pediñ tud",
"getting_started.open_source_notice": "Mastodoñ zo ur meziant digor e darzh. Gallout a rit kenoberzhiañ dezhañ pe danevellañ kudennoù war the computer lab e {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Arventennoù ar gont",
- "getting_started.terms": "Divizoù gwerzhañ hollek",
"hashtag.column_header.tag_mode.all": "ha {additional}",
"hashtag.column_header.tag_mode.any": "pe {additional}",
"hashtag.column_header.tag_mode.none": "hep {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Unan e mesk anezho",
"hashtag.column_settings.tag_mode.none": "Hini ebet anezho",
"hashtag.column_settings.tag_toggle": "Endelc'her gerioù-alc'hwez ouzhpenn evit ar bannad-mañ",
+ "hashtag.follow": "Heuliañ ar ger-klik",
+ "hashtag.unfollow": "Paouez heuliañ ar ger-klik",
"home.column_settings.basic": "Diazez",
"home.column_settings.show_reblogs": "Diskouez ar skignadennoù",
"home.column_settings.show_replies": "Diskouez ar respontoù",
@@ -267,8 +287,8 @@
"lightbox.expand": "Ledanaat boest hewel ar skeudenn",
"lightbox.next": "Da-heul",
"lightbox.previous": "A-raok",
- "limited_account_hint.action": "Show profile anyway",
- "limited_account_hint.title": "This profile has been hidden by the moderators of your server.",
+ "limited_account_hint.action": "Diskouez an aelad memes tra",
+ "limited_account_hint.title": "Kuzhet eo bet an aelad-mañ gant habaskerien·ezed ho servijer.",
"lists.account.add": "Ouzhpennañ d'al listenn",
"lists.account.remove": "Lemel kuit eus al listenn",
"lists.delete": "Dilemel al listenn",
@@ -314,8 +334,8 @@
"navigation_bar.preferences": "Gwellvezioù",
"navigation_bar.public_timeline": "Red-amzer kevreet",
"navigation_bar.security": "Diogelroez",
- "notification.admin.report": "{name} reported {target}",
- "notification.admin.sign_up": "{name} signed up",
+ "notification.admin.report": "Disklêriet eo bet {target} gant {name}",
+ "notification.admin.sign_up": "{name} en·he deus lakaet e·hec'h anv",
"notification.favourite": "{name} en/he deus lakaet ho toud en e/he muiañ-karet",
"notification.follow": "heuliañ a ra {name} ac'hanoc'h",
"notification.follow_request": "{name} en/he deus goulennet da heuliañ ac'hanoc'h",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "a doudoù",
"search_results.statuses_fts_disabled": "Klask toudoù dre oc'h endalc'h n'eo ket aotreet war ar servijer-mañ.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {disoc'h} other {a zisoc'h}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Digeriñ etrefas evezherezh evit @{name}",
"status.admin_status": "Digeriñ an toud e-barzh an etrefas evezherezh",
"status.block": "Berzañ @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Enframmañ",
"status.favourite": "Muiañ-karet",
+ "status.filter": "Filter this post",
"status.filtered": "Silet",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Diskouez nebeutoc'h evit an holl",
"status.show_more": "Diskouez muioc'h",
"status.show_more_all": "Diskouez miuoc'h evit an holl",
+ "status.show_original": "Show original",
"status.show_thread": "Diskouez ar gaozeadenn",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Dihegerz",
"status.unmute_conversation": "Diguzhat ar gaozeadenn",
"status.unpin": "Dispilhennañ eus ar profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dilezel damvenegoù",
"suggestions.header": "Marteze e vefec'h dedenet gant…",
"tabs_bar.federated_timeline": "Kevredet",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Heulier·ezed·ien",
"timeline_hint.resources.follows": "Heuliañ",
"timeline_hint.resources.statuses": "Toudoù koshoc'h",
- "trends.counter_by_accounts": "{count, plural, one {{counter} den} other {{counter} a zud}} a zo o komz",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Luskad ar mare",
"ui.beforeunload": "Kollet e vo ho prell ma kuitit Mastodon.",
"units.short.billion": "{count}miliard",
diff --git a/app/javascript/mastodon/locales/ca.json b/app/javascript/mastodon/locales/ca.json
index 770afdf33..0880e20ea 100644
--- a/app/javascript/mastodon/locales/ca.json
+++ b/app/javascript/mastodon/locales/ca.json
@@ -24,6 +24,7 @@
"account.follows_you": "Et segueix",
"account.hide_reblogs": "Amaga els impulsos de @{name}",
"account.joined": "Membre des de {date}",
+ "account.languages": "Canviar les llengües subscrits",
"account.link_verified_on": "La propietat d'aquest enllaç es va verificar el dia {date}",
"account.locked_info": "Aquest estat de privadesa del compte està definit com a bloquejat. El propietari revisa manualment qui pot seguir-lo.",
"account.media": "Multimèdia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Vaja!",
"announcement.announcement": "Anunci",
"attachments_list.unprocessed": "(sense processar)",
+ "audio.hide": "Amaga l'àudio",
"autosuggest_hashtag.per_week": "{count} per setmana",
"boost_modal.combo": "Pots prémer {combo} per evitar-ho el pròxim cop",
"bundle_column_error.body": "S'ha produït un error en carregar aquest component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Notícies",
"explore.trending_statuses": "Publicacions",
"explore.trending_tags": "Etiquetes",
+ "filter_modal.added.context_mismatch_explanation": "Aquesta categoria del filtr no aplica al context en el que has accedit a aquest apunt. Si vols que l'apunt sigui filtrat també en aquest context, hauràs d'editar el filtre.",
+ "filter_modal.added.context_mismatch_title": "El context no coincideix!",
+ "filter_modal.added.expired_explanation": "La categoria d'aquest filtre ha caducat, necesitaràs canviar la seva data de caducitat per a aplicar-la.",
+ "filter_modal.added.expired_title": "Filtre caducat!",
+ "filter_modal.added.review_and_configure": "Per a revisar i configurar aquesta categoria de filtre, ves a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Configuració del filtre",
+ "filter_modal.added.settings_link": "pàgina de configuració",
+ "filter_modal.added.short_explanation": "Aquest apunt s'ha afegit a la següent categoria de filtre: {title}.",
+ "filter_modal.added.title": "Filtre afegit!",
+ "filter_modal.select_filter.context_mismatch": "no aplica en aquest context",
+ "filter_modal.select_filter.expired": "caducat",
+ "filter_modal.select_filter.prompt_new": "Nova categoria: {name}",
+ "filter_modal.select_filter.search": "Cerca o crea",
+ "filter_modal.select_filter.subtitle": "Usa una categoria existent o crea una nova",
+ "filter_modal.select_filter.title": "Filtra aquest apunt",
+ "filter_modal.title.status": "Filtre un apunt",
"follow_recommendations.done": "Fet",
"follow_recommendations.heading": "Segueix a la gent de la que t'agradaria veure les seves publicacions! Aquí hi ha algunes recomanacions.",
"follow_recommendations.lead": "Les publicacions del usuaris que segueixes es mostraran en ordre cronològic en la teva línia de temps Inici. No tinguis por en cometre errors, pots fàcilment deixar de seguir-los en qualsevol moment!",
@@ -206,11 +224,10 @@
"getting_started.developers": "Desenvolupadors",
"getting_started.directory": "Directori de perfils",
"getting_started.documentation": "Documentació",
- "getting_started.heading": "Primeres passes",
- "getting_started.invite": "Convida gent",
+ "getting_started.invite": "Convidar gent",
"getting_started.open_source_notice": "Mastodon és un programari de codi obert. Pots contribuir-hi o informar de problemes a the computer lab a {github}.",
+ "getting_started.privacy_policy": "Política de Privacitat",
"getting_started.security": "Configuració del compte",
- "getting_started.terms": "Condicions de servei",
"hashtag.column_header.tag_mode.all": "i {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sense {additional}",
@@ -220,6 +237,8 @@
"hashtag.column_settings.tag_mode.any": "Qualsevol d’aquests",
"hashtag.column_settings.tag_mode.none": "Cap d’aquests",
"hashtag.column_settings.tag_toggle": "Inclou etiquetes addicionals per a aquesta columna",
+ "hashtag.follow": "Segueix etiqueta",
+ "hashtag.unfollow": "Deixa de seguir etiqueta",
"home.column_settings.basic": "Bàsic",
"home.column_settings.show_reblogs": "Mostra els impulsos",
"home.column_settings.show_replies": "Mostra les respostes",
@@ -451,7 +470,11 @@
"search_results.nothing_found": "No s'ha pogut trobar res per a aquests termes de cerca",
"search_results.statuses": "Publicacions",
"search_results.statuses_fts_disabled": "La cerca de publicacions pel seu contingut no està habilitada en aquest servidor Mastodon.",
+ "search_results.title": "Cerca de {q}",
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultats}}",
+ "sign_in_banner.create_account": "Crear compte",
+ "sign_in_banner.sign_in": "Inicia sessió",
+ "sign_in_banner.text": "Inicia sessió per a seguir perfils o etiquetes, afavorir, compartir o respondre apunts, o interactuar des d'el teu compte amb un servidor diferent.",
"status.admin_account": "Obre l'interfície de moderació per a @{name}",
"status.admin_status": "Obrir aquesta publicació a la interfície de moderació",
"status.block": "Bloqueja @{name}",
@@ -467,6 +490,7 @@
"status.edited_x_times": "Editat {count, plural, one {{count} vegada} other {{count} vegades}}",
"status.embed": "Incrusta",
"status.favourite": "Favorit",
+ "status.filter": "Filtre aquest apunt",
"status.filtered": "Filtrat",
"status.hide": "Amaga publicació",
"status.history.created": "{name} ha creat {date}",
@@ -497,10 +521,16 @@
"status.show_less_all": "Mostrar-ne menys per a tot",
"status.show_more": "Mostrar-ne més",
"status.show_more_all": "Mostrar-ne més per a tot",
+ "status.show_original": "Mostra l'original",
"status.show_thread": "Mostra el fil",
+ "status.translate": "Tradueix",
+ "status.translated_from": "Traduït del: {lang}",
"status.uncached_media_warning": "No està disponible",
"status.unmute_conversation": "No silenciïs la conversa",
"status.unpin": "No fixis al perfil",
+ "subscribed_languages.lead": "Només els apunts en les llengües seleccionades apareixeran en le teves línies de temps Inici i llista després del canvi. No en seleccionis cap per a rebre apunts en totes les llengües.",
+ "subscribed_languages.save": "Desa els canvis",
+ "subscribed_languages.target": "Canvia les llengües subscrites per a {target}",
"suggestions.dismiss": "Ignora el suggeriment",
"suggestions.header": "És possible que estiguis interessat en…",
"tabs_bar.federated_timeline": "Federat",
@@ -517,7 +547,7 @@
"timeline_hint.resources.followers": "Seguidors",
"timeline_hint.resources.follows": "Seguiments",
"timeline_hint.resources.statuses": "Publicacions més antigues",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} persones}} parlant-ne",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} persones}} en els passats {days, plural, one {day} other {{days} dies}}",
"trends.trending_now": "En tendència",
"ui.beforeunload": "El teu esborrany es perdrà si surts de Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ckb.json b/app/javascript/mastodon/locales/ckb.json
index 223b0d417..0e2991541 100644
--- a/app/javascript/mastodon/locales/ckb.json
+++ b/app/javascript/mastodon/locales/ckb.json
@@ -24,6 +24,7 @@
"account.follows_you": "شوێنکەوتووەکانت",
"account.hide_reblogs": "داشاردنی بووستەکان لە @{name}",
"account.joined": "بەشداری {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "خاوەنداریەتی ئەم لینکە لە {date} چێک کراوە",
"account.locked_info": "تایبەتمەندی ئەم هەژمارەیە ڕیکخراوە بۆ قوفڵدراوە. خاوەنەکە بە دەستی پێداچوونەوە دەکات کە کێ دەتوانێت شوێنیان بکەوێت.",
"account.media": "میدیا",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "تەححح!",
"announcement.announcement": "بانگەواز",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} هەرهەفتە",
"boost_modal.combo": "دەتوانیت دەست بنێی بە سەر {combo} بۆ بازدان لە جاری داهاتوو",
"bundle_column_error.body": "هەڵەیەک ڕوویدا لەکاتی بارکردنی ئەم پێکهاتەیە.",
@@ -196,6 +198,22 @@
"explore.trending_links": "هەواڵەکان",
"explore.trending_statuses": "نووسراوەکان",
"explore.trending_tags": "هاشتاگ",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "تەواو",
"follow_recommendations.heading": "شوێن ئەو کەسانە بکەون کە دەتەوێت پۆستەکان ببینیت لە! لێرەدا چەند پێشنیارێک هەیە.",
"follow_recommendations.lead": "بابەتەکانی ئەو کەسانەی کە بەدوایدا دەگەڕێیت بە فەرمانی کرۆنۆلۆجی لە خواردنەکانی ماڵەکەت دەردەکەون. مەترسە لە هەڵەکردن، دەتوانیت بە ئاسانی خەڵک هەڵبکەیت هەر کاتێک!",
@@ -209,8 +227,8 @@
"getting_started.heading": "دەست پێکردن",
"getting_started.invite": "بانگهێشتکردنی خەڵک",
"getting_started.open_source_notice": "ماستۆدۆن نەرمەکالایەکی سەرچاوەی کراوەیە. دەتوانیت بەشداری بکەیت یان گوزارشت بکەیت لەسەر کێشەکانی لە پەڕەی گیتهاب {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "هەر کام لەمانە",
"hashtag.column_settings.tag_mode.none": "هیچ کام لەمانە",
"hashtag.column_settings.tag_toggle": "تاگی زیادە ی ئەم ستوونە لەخۆ بنووسە",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "بنەڕەتی",
"home.column_settings.show_reblogs": "پیشاندانی بەهێزکردن",
"home.column_settings.show_replies": "وەڵامدانەوەکان پیشان بدە",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "توتەکان",
"search_results.statuses_fts_disabled": "گەڕانی توتەکان بە ناوەڕۆکیان لەسەر ئەم ڕاژەی ماستۆدۆن چالاک نەکراوە.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {دەرئەنجام} other {دەرئەنجام}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "کردنەوەی میانڕەوی بەڕێوەبەر بۆ @{name}",
"status.admin_status": "ئەم توتە بکەوە لە ناو ڕووکاری بەڕیوەبەر",
"status.block": "@{name} ئاستەنگ بکە",
@@ -467,6 +491,7 @@
"status.edited_x_times": "دەستکاریکراوە {count, plural, one {{count} کات} other {{count} کات}}",
"status.embed": "نیشتەجێ بکە",
"status.favourite": "دڵخواز",
+ "status.filter": "Filter this post",
"status.filtered": "پاڵاوتن",
"status.hide": "Hide toot",
"status.history.created": "{name} دروستکراوە لە{date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "هەمووی بچووک بکەوە",
"status.show_more": "زیاتر نیشان بدە",
"status.show_more_all": "زیاتر نیشان بدە بۆ هەمووی",
+ "status.show_original": "Show original",
"status.show_thread": "نیشاندانی گفتوگۆ",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "بەردەست نیە",
"status.unmute_conversation": "گفتوگۆی بێدەنگ",
"status.unpin": "لە سەرەوە لایبە",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "ڕەتکردنەوەی پێشنیار",
"suggestions.header": "لەوانەیە حەزت لەمەش بێت…",
"tabs_bar.federated_timeline": "گشتی",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "شوێنکەوتوو",
"timeline_hint.resources.follows": "شوێنکەوتن",
"timeline_hint.resources.statuses": "نێردراوی کۆن",
- "trends.counter_by_accounts": "{count, plural, one {{counter} کەس} other {{counter} کەس}} گفتوگۆ دەکا",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "ڕۆژەڤ",
"ui.beforeunload": "ڕەشنووسەکەت لەدەست دەچێت ئەگەر ماستۆدۆن جێ بهێڵیت.",
"units.short.billion": "{count} ملیار",
diff --git a/app/javascript/mastodon/locales/co.json b/app/javascript/mastodon/locales/co.json
index 9028c9e59..3b9094597 100644
--- a/app/javascript/mastodon/locales/co.json
+++ b/app/javascript/mastodon/locales/co.json
@@ -24,6 +24,7 @@
"account.follows_you": "Vi seguita",
"account.hide_reblogs": "Piattà spartere da @{name}",
"account.joined": "Quì dapoi {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "A prupietà di stu ligame hè stata verificata u {date}",
"account.locked_info": "U statutu di vita privata di u contu hè chjosu. U pruprietariu esamina manualmente e dumande d'abbunamentu.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Uups!",
"announcement.announcement": "Annunziu",
"attachments_list.unprocessed": "(micca trattata)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per settimana",
"boost_modal.combo": "Pudete appughjà nant'à {combo} per saltà quessa a prussima volta",
"bundle_column_error.body": "C'hè statu un prublemu caricandu st'elementu.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Fatta",
"follow_recommendations.heading": "Siguitate a ghjente da quelli vulete vede i missaghji! Eccu qualchì ricumandazione.",
"follow_recommendations.lead": "I missaghji da a ghjente che voi siguitate figureranu in ordine crunulogicu nant'a vostra pagina d'accolta. Ùn timite micca di fà un sbagliu, pudete sempre disabbunavvi d'un contu à ogni mumentu!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Per principià",
"getting_started.invite": "Invità ghjente",
"getting_started.open_source_notice": "Mastodon ghjè un lugiziale liberu. Pudete cuntribuisce à u codice o a traduzione, o palisà un bug, nant'à the computer lab: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Sicurità",
- "getting_started.terms": "Cundizione di u serviziu",
"hashtag.column_header.tag_mode.all": "è {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "senza {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Unu di quessi",
"hashtag.column_settings.tag_mode.none": "Nisunu di quessi",
"hashtag.column_settings.tag_toggle": "Inchjude tag addiziunali per sta colonna",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Bàsichi",
"home.column_settings.show_reblogs": "Vede e spartere",
"home.column_settings.show_replies": "Vede e risposte",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Statuti",
"search_results.statuses_fts_disabled": "A ricerca di i cuntinuti di i statuti ùn hè micca attivata nant'à stu servore Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {risultatu} other {risultati}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Apre l'interfaccia di muderazione per @{name}",
"status.admin_status": "Apre stu statutu in l'interfaccia di muderazione",
"status.block": "Bluccà @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Integrà",
"status.favourite": "Aghjunghje à i favuriti",
+ "status.filter": "Filter this post",
"status.filtered": "Filtratu",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Ripiegà tuttu",
"status.show_more": "Slibrà",
"status.show_more_all": "Slibrà tuttu",
+ "status.show_original": "Show original",
"status.show_thread": "Vede u filu",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Micca dispunibule",
"status.unmute_conversation": "Ùn piattà più a cunversazione",
"status.unpin": "Spuntarulà da u prufile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Righjittà a pruposta",
"suggestions.header": "Site forse interessatu·a da…",
"tabs_bar.federated_timeline": "Glubale",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Abbunati",
"timeline_hint.resources.follows": "Abbunamenti",
"timeline_hint.resources.statuses": "Statuti più anziani",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona chì parla} other {{counter} persone chì parlanu}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Tindenze d'avà",
"ui.beforeunload": "A bruttacopia sarà persa s'ellu hè chjosu Mastodon.",
"units.short.billion": "{count}G",
diff --git a/app/javascript/mastodon/locales/cs.json b/app/javascript/mastodon/locales/cs.json
index 8e46e1030..ea8a65a2d 100644
--- a/app/javascript/mastodon/locales/cs.json
+++ b/app/javascript/mastodon/locales/cs.json
@@ -24,6 +24,7 @@
"account.follows_you": "Sleduje vás",
"account.hide_reblogs": "Skrýt boosty od @{name}",
"account.joined": "Založen {date}",
+ "account.languages": "Změnit odebírané jazyky",
"account.link_verified_on": "Vlastnictví tohoto odkazu bylo zkontrolováno {date}",
"account.locked_info": "Stav soukromí tohoto účtu je nastaven na zamčeno. Jeho vlastník ručně posuzuje, kdo ho může sledovat.",
"account.media": "Média",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Jejda!",
"announcement.announcement": "Oznámení",
"attachments_list.unprocessed": "(nezpracováno)",
+ "audio.hide": "Skrýt zvuk",
"autosuggest_hashtag.per_week": "{count} za týden",
"boost_modal.combo": "Příště můžete pro přeskočení stisknout {combo}",
"bundle_column_error.body": "Při načítání této komponenty se něco pokazilo.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Zprávy",
"explore.trending_statuses": "Příspěvky",
"explore.trending_tags": "Hashtagy",
+ "filter_modal.added.context_mismatch_explanation": "Tato kategorie filtru se nevztahuje na kontext, ve kterém jste tento příspěvek otevřeli. Pokud chcete, aby byl příspěvek filtrován i v tomto kontextu, budete muset filtr upravit.",
+ "filter_modal.added.context_mismatch_title": "Kontext se neshoduje!",
+ "filter_modal.added.expired_explanation": "Tato kategorie filtrů vypršela, budete muset změnit datum vypršení platnosti, aby mohla být použita.",
+ "filter_modal.added.expired_title": "Vypršel filtr!",
+ "filter_modal.added.review_and_configure": "Chcete-li zkontrolovat a dále konfigurovat tuto kategorii filtru, přejděte na {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Nastavení filtru",
+ "filter_modal.added.settings_link": "stránka nastavení",
+ "filter_modal.added.short_explanation": "Tento příspěvek byl přidán do následující kategorie filtrů: {title}.",
+ "filter_modal.added.title": "Filtr přidán!",
+ "filter_modal.select_filter.context_mismatch": "nevztahuje se na tento kontext",
+ "filter_modal.select_filter.expired": "vypršela platnost",
+ "filter_modal.select_filter.prompt_new": "Nová kategorie: {name}",
+ "filter_modal.select_filter.search": "Vyhledat nebo vytvořit",
+ "filter_modal.select_filter.subtitle": "Použít existující kategorii nebo vytvořit novou kategorii",
+ "filter_modal.select_filter.title": "Filtrovat tento příspěvek",
+ "filter_modal.title.status": "Filtrovat příspěvek",
"follow_recommendations.done": "Hotovo",
"follow_recommendations.heading": "Sledujte lidi, jejichž příspěvky chcete vidět! Tady jsou nějaké návrhy.",
"follow_recommendations.lead": "Příspěvky od lidí, které sledujete, se budou objevovat v chronologickém pořadí ve vaší domovské ose. Nebojte se, že uděláte chybu, můžete lidi stejně snadno kdykoliv přestat sledovat!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Začínáme",
"getting_started.invite": "Pozvat lidi",
"getting_started.open_source_notice": "Mastodon je otevřený software. Přispět do jeho vývoje nebo hlásit chyby můžete na the computer labu {github}.",
+ "getting_started.privacy_policy": "Zásady ochrany osobních údajů",
"getting_started.security": "Nastavení účtu",
- "getting_started.terms": "Podmínky používání",
"hashtag.column_header.tag_mode.all": "a {additional}",
"hashtag.column_header.tag_mode.any": "nebo {additional}",
"hashtag.column_header.tag_mode.none": "bez {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Jakékoliv z těchto",
"hashtag.column_settings.tag_mode.none": "Žádné z těchto",
"hashtag.column_settings.tag_toggle": "Zahrnout v tomto sloupci dodatečné tagy",
+ "hashtag.follow": "Sledovat hashtag",
+ "hashtag.unfollow": "Zrušit sledování hashtagu",
"home.column_settings.basic": "Základní",
"home.column_settings.show_reblogs": "Zobrazit boosty",
"home.column_settings.show_replies": "Zobrazit odpovědi",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Pro tyto hledané výrazy nebylo nic nenalezeno",
"search_results.statuses": "Příspěvky",
"search_results.statuses_fts_disabled": "Vyhledávání příspěvků podle jejich obsahu není na tomto Mastodon serveru povoleno.",
+ "search_results.title": "Hledat {q}",
"search_results.total": "{count, number} {count, plural, one {výsledek} few {výsledky} many {výsledků} other {výsledků}}",
+ "sign_in_banner.create_account": "Vytvořit účet",
+ "sign_in_banner.sign_in": "Přihlásit se",
+ "sign_in_banner.text": "Přihlaste se pro sledování profilů nebo hashtagů, oblíbených, sdílení a odpovědi na příspěvky nebo interakci z vašeho účtu na jiném serveru.",
"status.admin_account": "Otevřít moderátorské rozhraní pro @{name}",
"status.admin_status": "Otevřít tento příspěvek v moderátorském rozhraní",
"status.block": "Zablokovat @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Upraven {count, plural, one {{count}krát} few {{count}krát} many {{count}krát} other {{count}krát}}",
"status.embed": "Vložit na web",
"status.favourite": "Oblíbit",
+ "status.filter": "Filtrovat tento příspěvek",
"status.filtered": "Filtrováno",
"status.hide": "Skrýt příspěvek",
"status.history.created": "Uživatel {name} vytvořil {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Zobrazit méně pro všechny",
"status.show_more": "Zobrazit více",
"status.show_more_all": "Zobrazit více pro všechny",
+ "status.show_original": "Zobrazit původní",
"status.show_thread": "Zobrazit vlákno",
+ "status.translate": "Přeložit",
+ "status.translated_from": "Přeloženo z {lang}",
"status.uncached_media_warning": "Nedostupné",
"status.unmute_conversation": "Odkrýt konverzaci",
"status.unpin": "Odepnout z profilu",
+ "subscribed_languages.lead": "Po změně se objeví pouze příspěvky ve vybraných jazycích na vašem domě a zobrazí se seznam časových os. Pro příjem příspěvků ve všech jazycích nevyber žádnou.",
+ "subscribed_languages.save": "Uložit změny",
+ "subscribed_languages.target": "Změnit odebírané jazyky na {target}",
"suggestions.dismiss": "Odmítnout návrh",
"suggestions.header": "Mohlo by vás zajímat…",
"tabs_bar.federated_timeline": "Federovaná",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sledující",
"timeline_hint.resources.follows": "Sledovaní",
"timeline_hint.resources.statuses": "Starší příspěvky",
- "trends.counter_by_accounts": "zmiňuje {count, plural, one {{counter} člověk} few {{counter} lidé} many {{counter} lidí} other {{counter} lidí}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Právě populární",
"ui.beforeunload": "Pokud Mastodon opustíte, váš koncept se ztratí.",
"units.short.billion": "{count} mld.",
diff --git a/app/javascript/mastodon/locales/cy.json b/app/javascript/mastodon/locales/cy.json
index 3a18db095..70418a609 100644
--- a/app/javascript/mastodon/locales/cy.json
+++ b/app/javascript/mastodon/locales/cy.json
@@ -24,6 +24,7 @@
"account.follows_you": "Yn eich dilyn chi",
"account.hide_reblogs": "Cuddio bwstiau o @{name}",
"account.joined": "Ymunodd {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Gwiriwyd perchnogaeth y ddolen yma ar {date}",
"account.locked_info": "Mae'r statws preifatrwydd cyfrif hwn wedi'i osod i gloi. Mae'r perchennog yn adolygu'r sawl sy'n gallu eu dilyn.",
"account.media": "Cyfryngau",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Wps!",
"announcement.announcement": "Cyhoeddiad",
"attachments_list.unprocessed": "(heb eu prosesu)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} yr wythnos",
"boost_modal.combo": "Mae modd gwasgu {combo} er mwyn sgipio hyn tro nesa",
"bundle_column_error.body": "Aeth rhywbeth o'i le tra'n llwytho'r elfen hon.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Newyddion",
"explore.trending_statuses": "Postiadau",
"explore.trending_tags": "Hashnodau",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Wedi gorffen",
"follow_recommendations.heading": "Dilynwch y bobl yr hoffech chi weld eu postiadau! Dyma ambell i awgrymiad.",
"follow_recommendations.lead": "Bydd postiadau gan bobl rydych chi'n eu dilyn yn ymddangos mewn trefn amser ar eich ffrwd cartref. Peidiwch â bod ofn gwneud camgymeriadau, gallwch chi ddad-ddilyn pobl yr un mor hawdd unrhyw bryd!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Dechrau",
"getting_started.invite": "Gwahodd pobl",
"getting_started.open_source_notice": "Mae Mastodon yn feddalwedd côd agored. Mae modd cyfrannu neu adrodd materion ar GitHUb ar {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Diogelwch",
- "getting_started.terms": "Telerau Gwasanaeth",
"hashtag.column_header.tag_mode.all": "a {additional}",
"hashtag.column_header.tag_mode.any": "neu {additional}",
"hashtag.column_header.tag_mode.none": "heb {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Unrhyw un o'r rhain",
"hashtag.column_settings.tag_mode.none": "Dim o'r rhain",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Syml",
"home.column_settings.show_reblogs": "Dangos hybiau",
"home.column_settings.show_replies": "Dangos ymatebion",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Methu dod o hyd i unrhyw beth ar gyfer y termau chwilio hyn",
"search_results.statuses": "Postiadau",
"search_results.statuses_fts_disabled": "Nid yw chwilio postiadau yn ôl eu cynnwys wedi'i alluogi ar y gweinydd Mastodon hwn.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, zero {canlyniad} one {canlyniad} two {ganlyniad} other {o ganlyniadau}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Agor rhyngwyneb goruwchwylio ar gyfer @{name}",
"status.admin_status": "Agor y post hwn yn y rhyngwyneb goruwchwylio",
"status.block": "Blocio @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Golygwyd {count, plural, one {unwaith} two {dwywaith} other {{count} gwaith}}",
"status.embed": "Plannu",
"status.favourite": "Hoffi",
+ "status.filter": "Filter this post",
"status.filtered": "Wedi'i hidlo",
"status.hide": "Hide toot",
"status.history.created": "{name} greuodd {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Dangos llai i bawb",
"status.show_more": "Dangos mwy",
"status.show_more_all": "Dangos mwy i bawb",
+ "status.show_original": "Show original",
"status.show_thread": "Dangos edefyn",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Dim ar gael",
"status.unmute_conversation": "Dad-dawelu sgwrs",
"status.unpin": "Dadbinio o'r proffil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Diswyddo",
"suggestions.header": "Efallai y bydd gennych ddiddordeb mewn…",
"tabs_bar.federated_timeline": "Ffederasiwn",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Dilynwyr",
"timeline_hint.resources.follows": "Yn dilyn",
"timeline_hint.resources.statuses": "Postiadau hŷn",
- "trends.counter_by_accounts": "{count, plural, one {{counter} berson} other {{counter} o bobl}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Yn tueddu nawr",
"ui.beforeunload": "Mi fyddwch yn colli eich drafft os gadewch Mastodon.",
"units.short.billion": "{count}biliwn",
diff --git a/app/javascript/mastodon/locales/da.json b/app/javascript/mastodon/locales/da.json
index 6d206fe74..17b97503d 100644
--- a/app/javascript/mastodon/locales/da.json
+++ b/app/javascript/mastodon/locales/da.json
@@ -24,6 +24,7 @@
"account.follows_you": "Følger dig",
"account.hide_reblogs": "Skjul boosts fra @{name}",
"account.joined": "Tilmeldt {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Ejerskab af dette link blev tjekket {date}",
"account.locked_info": "Denne kontos fortrolighedsstatus er sat til låst. Ejeren bedømmer manuelt, hvem der kan følge vedkommende.",
"account.media": "Medier",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Bekendtgørelse",
"attachments_list.unprocessed": "(ubehandlet)",
+ "audio.hide": "Skjul lyd",
"autosuggest_hashtag.per_week": "{count} pr. uge",
"boost_modal.combo": "Du kan trykke på {combo} for at overspringe dette næste gang",
"bundle_column_error.body": "Noget gik galt under indlæsningen af denne komponent.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nyheder",
"explore.trending_statuses": "Indlæg",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "Denne filterkategori omfatter ikke konteksten, hvorunder dette indlæg er tilgået. Redigér filteret, hvis indlægget også ønskes filtreret i denne kontekst.",
+ "filter_modal.added.context_mismatch_title": "Kontekstmisforhold!",
+ "filter_modal.added.expired_explanation": "Denne filterkategori er udløbet. Ændr dens udløbsdato, for at anvende den.",
+ "filter_modal.added.expired_title": "Udløbet filter!",
+ "filter_modal.added.review_and_configure": "Gå til {settings_link} for at gennemse og yderligere opsætte denne filterkategori.",
+ "filter_modal.added.review_and_configure_title": "Filterindstillinger",
+ "filter_modal.added.settings_link": "indstillingsside",
+ "filter_modal.added.short_explanation": "Dette indlæg er nu føjet til flg. filterkategori: {title}.",
+ "filter_modal.added.title": "Filter tilføjet!",
+ "filter_modal.select_filter.context_mismatch": "gælder ikke for denne kontekst",
+ "filter_modal.select_filter.expired": "udløbet",
+ "filter_modal.select_filter.prompt_new": "Ny kategori: {name}",
+ "filter_modal.select_filter.search": "Søg eller opret",
+ "filter_modal.select_filter.subtitle": "Vælg en eksisterende kategori eller opret en ny",
+ "filter_modal.select_filter.title": "Filtrér dette indlæg",
+ "filter_modal.title.status": "Filtrér et indlæg",
"follow_recommendations.done": "Udført",
"follow_recommendations.heading": "Følg personer du gerne vil se indlæg fra! Her er nogle forslag.",
"follow_recommendations.lead": "Indlæg, fra personer du følger, vil fremgå kronologisk ordnet i dit hjemmefeed. Vær ikke bange for at begå fejl, da du altid og meget nemt kan ændre dit valg!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Startmenu",
"getting_started.invite": "Invitér folk",
"getting_started.open_source_notice": "Mastodon er open-source software. Du kan bidrage eller anmelde fejl via the computer lab {github}.",
+ "getting_started.privacy_policy": "Fortrolighedspolitik",
"getting_started.security": "Kontoindstillinger",
- "getting_started.terms": "Tjenestevilkår",
"hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eller {additional}",
"hashtag.column_header.tag_mode.none": "uden {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Nogle af disse",
"hashtag.column_settings.tag_mode.none": "Ingen af disse",
"hashtag.column_settings.tag_toggle": "Inkludér ekstra tags for denne kolonne",
+ "hashtag.follow": "Følg hashtag",
+ "hashtag.unfollow": "Stop med at følge hashtag",
"home.column_settings.basic": "Grundlæggende",
"home.column_settings.show_reblogs": "Vis boosts",
"home.column_settings.show_replies": "Vis svar",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Ingen resultater for disse søgeord",
"search_results.statuses": "Indlæg",
"search_results.statuses_fts_disabled": "Søgning på indlæg efter deres indhold ikke aktiveret på denne Mastodon-server.",
+ "search_results.title": "Søg efter {q}",
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultater}}",
+ "sign_in_banner.create_account": "Opret konto",
+ "sign_in_banner.sign_in": "Log ind",
+ "sign_in_banner.text": "Log ind for at følge profiler eller hashtags, dele og svar på indlæg eller interagere fra kontoen på en anden server.",
"status.admin_account": "Åbn modereringsbrugerflade for @{name}",
"status.admin_status": "Åbn dette indlæg i modereringsbrugerfladen",
"status.block": "Blokér @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Redigeret {count, plural, one {{count} gang} other {{count} gange}}",
"status.embed": "Indlejr",
"status.favourite": "Favorit",
+ "status.filter": "Filtrér dette indlæg",
"status.filtered": "Filtreret",
"status.hide": "Skjul indlæg",
"status.history.created": "{name} oprettet {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Vis mindre for alle",
"status.show_more": "Vis mere",
"status.show_more_all": "Vis mere for alle",
+ "status.show_original": "Vis original",
"status.show_thread": "Vis tråd",
+ "status.translate": "Oversæt",
+ "status.translated_from": "Oversat fra {lang}",
"status.uncached_media_warning": "Utilgængelig",
"status.unmute_conversation": "Genaktivér samtale",
"status.unpin": "Frigør fra profil",
+ "subscribed_languages.lead": "Kun indlæg på udvalgte sprog vil fremgå på Hjem og listetidslinjer efter ændringen. Vælg ingen for at modtage indlæg på alle sprog.",
+ "subscribed_languages.save": "Gem ændringer",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Afvis foreslag",
"suggestions.header": "Du er måske interesseret i…",
"tabs_bar.federated_timeline": "Fælles",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Følgere",
"timeline_hint.resources.follows": "Følger",
"timeline_hint.resources.statuses": "Ældre indlæg",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} personer}} taler",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} personer}} {days, plural, one {den seneste dag} other {de seneste {days} dage}}",
"trends.trending_now": "Hot lige nu",
"ui.beforeunload": "Dit udkast går tabt, hvis du lukker Mastodon.",
"units.short.billion": "{count} mia.",
diff --git a/app/javascript/mastodon/locales/de.json b/app/javascript/mastodon/locales/de.json
index d923548db..a5d45001d 100644
--- a/app/javascript/mastodon/locales/de.json
+++ b/app/javascript/mastodon/locales/de.json
@@ -24,6 +24,7 @@
"account.follows_you": "Folgt dir",
"account.hide_reblogs": "Geteilte Beiträge von @{name} verbergen",
"account.joined": "Beigetreten am {date}",
+ "account.languages": "Abonnierte Sprachen ändern",
"account.link_verified_on": "Diesem Profil folgt niemand",
"account.locked_info": "Der Privatsphärenstatus dieses Accounts wurde auf „gesperrt“ gesetzt. Die Person bestimmt manuell, wer ihm/ihr folgen darf.",
"account.media": "Medien",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hoppla!",
"announcement.announcement": "Ankündigung",
"attachments_list.unprocessed": "(ausstehend)",
+ "audio.hide": "Audio stummschalten",
"autosuggest_hashtag.per_week": "{count} pro Woche",
"boost_modal.combo": "Drücke {combo}, um dieses Fenster zu überspringen",
"bundle_column_error.body": "Etwas ist beim Laden schiefgelaufen.",
@@ -105,7 +107,7 @@
"compose_form.poll.option_placeholder": "Wahl {number}",
"compose_form.poll.remove_option": "Wahl entfernen",
"compose_form.poll.switch_to_multiple": "Umfrage ändern, um mehrere Optionen zu erlauben",
- "compose_form.poll.switch_to_single": "Umfrage ändern, um eine einzige Wahl zu erlauben",
+ "compose_form.poll.switch_to_single": "Umfrage ändern, sodass nur eine einzige Auswahl erlaubt ist",
"compose_form.publish": "Veröffentlichen",
"compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Änderungen speichern",
@@ -174,20 +176,20 @@
"empty_column.explore_statuses": "Momentan ist nichts im Trend. Schau später wieder vorbei!",
"empty_column.favourited_statuses": "Du hast noch keine favorisierten Tröts. Wenn du einen favorisierst, wird er hier erscheinen.",
"empty_column.favourites": "Noch niemand hat diesen Beitrag favorisiert. Sobald es jemand tut, wird das hier angezeigt.",
- "empty_column.follow_recommendations": "Es sieht so aus, als könnten keine Vorschläge für dich generiert werden. Du kannst versuchen nach Leuten zu suchen, die du vielleicht kennst oder du kannst angesagte Hashtags erkunden.",
+ "empty_column.follow_recommendations": "Es sieht so aus, als könnten keine Vorschläge für dich generiert werden. Du kannst versuchen, nach Leuten zu suchen, die du vielleicht kennst, oder du kannst angesagte Hashtags erkunden.",
"empty_column.follow_requests": "Du hast noch keine Folge-Anfragen. Sobald du eine erhältst, wird sie hier angezeigt.",
"empty_column.hashtag": "Unter diesem Hashtag gibt es noch nichts.",
"empty_column.home": "Deine Startseite ist leer! Folge mehr Leuten, um sie zu füllen. {suggestions}",
"empty_column.home.suggestions": "Ein paar Vorschläge ansehen",
"empty_column.list": "Diese Liste ist derzeit leer. Wenn Konten auf dieser Liste neue Beiträge veröffentlichen werden sie hier erscheinen.",
- "empty_column.lists": "Du hast noch keine Listen. Wenn du eine anlegst, wird sie hier angezeigt.",
+ "empty_column.lists": "Du hast noch keine Listen. Wenn du eine anlegst, wird sie hier angezeigt werden.",
"empty_column.mutes": "Du hast keine Profile stummgeschaltet.",
"empty_column.notifications": "Du hast noch keine Mitteilungen. Interagiere mit anderen, um ins Gespräch zu kommen.",
"empty_column.public": "Hier ist nichts zu sehen! Schreibe etwas öffentlich oder folge Profilen von anderen Servern, um die Zeitleiste aufzufüllen",
- "error.unexpected_crash.explanation": "Aufgrund eines Fehlers in unserem Code oder einer Browsereinkompatibilität konnte diese Seite nicht korrekt angezeigt werden.",
+ "error.unexpected_crash.explanation": "Aufgrund eines Fehlers in unserem Code oder einer Browser-Inkompatibilität konnte diese Seite nicht korrekt angezeigt werden.",
"error.unexpected_crash.explanation_addons": "Diese Seite konnte nicht korrekt angezeigt werden. Dieser Fehler wird wahrscheinlich durch ein Browser-Add-on oder automatische Übersetzungswerkzeuge verursacht.",
- "error.unexpected_crash.next_steps": "Versuche die Seite zu aktualisieren. Wenn das nicht hilft, kannst du Mastodon über einen anderen Browser oder eine native App verwenden.",
- "error.unexpected_crash.next_steps_addons": "Versuche sie zu deaktivieren und lade dann die Seite neu. Wenn das Problem weiterhin besteht, solltest du Mastodon über einen anderen Browser oder eine native App nutzen.",
+ "error.unexpected_crash.next_steps": "Versuche, die Seite zu aktualisieren. Wenn das nicht hilft, kannst du Mastodon über einen anderen Browser oder eine native App verwenden.",
+ "error.unexpected_crash.next_steps_addons": "Versuche, sie zu deaktivieren, und lade dann die Seite neu. Wenn das Problem weiterhin besteht, solltest du Mastodon über einen anderen Browser oder eine native App nutzen.",
"errors.unexpected_crash.copy_stacktrace": "Fehlerlog in die Zwischenablage kopieren",
"errors.unexpected_crash.report_issue": "Problem melden",
"explore.search_results": "Suchergebnisse",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nachrichten",
"explore.trending_statuses": "Beiträge",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "Diese Filterkategorie gilt nicht für den Kontext, in welchem du auf diesen Beitrag zugegriffen hast. Wenn der Beitrag auch in diesem Kontext gefiltert werden soll, musst du den Filter bearbeiten.",
+ "filter_modal.added.context_mismatch_title": "Kontext stimmt nicht überein!",
+ "filter_modal.added.expired_explanation": "Diese Filterkategrie ist abgelaufen, du musst das Ablaufdatum für diese Kategorie ändern.",
+ "filter_modal.added.expired_title": "Abgelaufener Filter!",
+ "filter_modal.added.review_and_configure": "Um diese Filterkategorie zu überprüfen und weiter zu konfigurieren, gehe zu {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filtereinstellungen",
+ "filter_modal.added.settings_link": "Einstellungsseite",
+ "filter_modal.added.short_explanation": "Dieser Post wurde zu folgender Filterkategorie hinzugefügt: {title}.",
+ "filter_modal.added.title": "Filter hinzugefügt!",
+ "filter_modal.select_filter.context_mismatch": "gilt nicht für diesen Kontext",
+ "filter_modal.select_filter.expired": "abgelaufen",
+ "filter_modal.select_filter.prompt_new": "Neue Kategorie: {name}",
+ "filter_modal.select_filter.search": "Suchen oder Erstellen",
+ "filter_modal.select_filter.subtitle": "Eine existierende Kategorie benutzen oder eine erstellen",
+ "filter_modal.select_filter.title": "Diesen Beitrag filtern",
+ "filter_modal.title.status": "Einen Beitrag filtern",
"follow_recommendations.done": "Fertig",
"follow_recommendations.heading": "Folge Leuten, von denen du Beiträge sehen möchtest! Hier sind einige Vorschläge.",
"follow_recommendations.lead": "Beiträge von Personen, denen du folgst, werden in chronologischer Reihenfolge auf deiner Startseite angezeigt. Hab keine Angst, Fehler zu machen, du kannst den Leuten jederzeit wieder entfolgen!",
@@ -209,17 +227,19 @@
"getting_started.heading": "Erste Schritte",
"getting_started.invite": "Leute einladen",
"getting_started.open_source_notice": "Mastodon ist quelloffene Software. Du kannst auf the computer lab unter {github} dazu beitragen oder Probleme melden.",
+ "getting_started.privacy_policy": "Datenschutzerklärung",
"getting_started.security": "Konto & Sicherheit",
- "getting_started.terms": "Nutzungsbedingungen",
"hashtag.column_header.tag_mode.all": "und {additional}",
"hashtag.column_header.tag_mode.any": "oder {additional}",
"hashtag.column_header.tag_mode.none": "ohne {additional}",
"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": "Eins von diesen",
- "hashtag.column_settings.tag_mode.none": "Keins von diesen",
+ "hashtag.column_settings.tag_mode.any": "Eines von diesen",
+ "hashtag.column_settings.tag_mode.none": "Keines von diesen",
"hashtag.column_settings.tag_toggle": "Zusätzliche Hashtags für diese Spalte einfügen",
+ "hashtag.follow": "Hashtag folgen",
+ "hashtag.unfollow": "Hashtag entfolgen",
"home.column_settings.basic": "Einfach",
"home.column_settings.show_reblogs": "Geteilte Beiträge anzeigen",
"home.column_settings.show_replies": "Antworten anzeigen",
@@ -280,7 +300,7 @@
"lists.replies_policy.list": "Mitglieder der Liste",
"lists.replies_policy.none": "Niemand",
"lists.replies_policy.title": "Antworten anzeigen für:",
- "lists.search": "Suche nach Leuten denen du folgst",
+ "lists.search": "Suche nach Leuten, denen du folgst",
"lists.subheading": "Deine Listen",
"load_pending": "{count, plural, one {# neuer Beitrag} other {# neue Beiträge}}",
"loading_indicator.label": "Wird geladen …",
@@ -314,20 +334,20 @@
"navigation_bar.preferences": "Einstellungen",
"navigation_bar.public_timeline": "Föderierte Zeitleiste",
"navigation_bar.security": "Sicherheit",
- "notification.admin.report": "{name} reported {target}",
+ "notification.admin.report": "{target} wurde von {name} gemeldet",
"notification.admin.sign_up": "{name} hat sich registriert",
"notification.favourite": "{name} hat deinen Beitrag favorisiert",
"notification.follow": "{name} folgt dir",
"notification.follow_request": "{name} möchte dir folgen",
"notification.mention": "{name} hat dich erwähnt",
"notification.own_poll": "Deine Umfrage ist beendet",
- "notification.poll": "Eine Umfrage in der du abgestimmt hast ist vorbei",
+ "notification.poll": "Eine Umfrage, an der du teilgenommen hast, ist vorbei",
"notification.reblog": "{name} hat deinen Beitrag geteilt",
"notification.status": "{name} hat gerade etwas gepostet",
"notification.update": "{name} bearbeitete einen Beitrag",
"notifications.clear": "Mitteilungen löschen",
"notifications.clear_confirmation": "Bist du dir sicher, dass du alle Mitteilungen löschen möchtest?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "Neue Meldungen:",
"notifications.column_settings.admin.sign_up": "Neue Anmeldungen:",
"notifications.column_settings.alert": "Desktop-Benachrichtigungen",
"notifications.column_settings.favourite": "Favorisierungen:",
@@ -410,7 +430,7 @@
"report.forward": "An {target} weiterleiten",
"report.forward_hint": "Dieses Konto gehört zu einem anderen Server. Soll eine anonymisierte Kopie der Meldung auch dorthin geschickt werden?",
"report.mute": "Stummschalten",
- "report.mute_explanation": "Du wirst die Beiträge vom Konto nicht mehr sehen. Das Konto kann dir immernoch folgen und die Person hinter dem Konto wird deine Beiträge sehen können und nicht wissen, dass du sie stumm geschaltet hast.",
+ "report.mute_explanation": "Du wirst die Beiträge vom Konto nicht mehr sehen. Das Konto kann dir immer noch folgen, und die Person hinter dem Konto wird deine Beiträge sehen können und nicht wissen, dass du sie stummgeschaltet hast.",
"report.next": "Weiter",
"report.placeholder": "Zusätzliche Kommentare",
"report.reasons.dislike": "Das gefällt mir nicht",
@@ -427,20 +447,20 @@
"report.statuses.title": "Gibt es Beiträge, die diesen Bericht unterstützen?",
"report.submit": "Absenden",
"report.target": "{target} melden",
- "report.thanks.take_action": "Das sind deine Möglichkeiten, zu bestimmen, was du auf Mastodon sehen möchtest:",
+ "report.thanks.take_action": "Das sind deine Möglichkeiten zu bestimmen, was du auf Mastodon sehen möchtest:",
"report.thanks.take_action_actionable": "Während wir dies überprüfen, kannst du gegen @{name} vorgehen:",
"report.thanks.title": "Möchtest du das nicht sehen?",
"report.thanks.title_actionable": "Vielen Dank für die Meldung, wir werden uns das ansehen.",
"report.unfollow": "@{name} entfolgen",
"report.unfollow_explanation": "Du folgst diesem Konto. Um die Beiträge nicht mehr auf deiner Startseite zu sehen, entfolge dem Konto.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
+ "report_notification.attached_statuses": "{count, plural, one {{count} angehangener Beitrag} other {{count} angehängte Beiträge}}",
+ "report_notification.categories.other": "Nicht Aufgelistet",
"report_notification.categories.spam": "Spam",
- "report_notification.categories.violation": "Rule violation",
- "report_notification.open": "Open report",
+ "report_notification.categories.violation": "Regelbruch",
+ "report_notification.open": "Meldung öffnen",
"search.placeholder": "Suche",
"search_popout.search_format": "Fortgeschrittenes Suchformat",
- "search_popout.tips.full_text": "Einfache Texteingabe gibt Beiträge, die du geschrieben, favorisiert und geteilt hast zurück. Außerdem auch Beiträge in denen du erwähnt wurdest, aber auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
+ "search_popout.tips.full_text": "Einfache Texteingabe gibt Beiträge, die du geschrieben, favorisiert und geteilt hast, zurück; außerdem auch Beiträge, in denen du erwähnt wurdest, aber auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
"search_popout.tips.hashtag": "Hashtag",
"search_popout.tips.status": "Tröt",
"search_popout.tips.text": "Einfache Texteingabe gibt Anzeigenamen, Benutzernamen und Hashtags zurück",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Nichts für diese Suchbegriffe gefunden",
"search_results.statuses": "Beiträge",
"search_results.statuses_fts_disabled": "Die Suche für Beiträge nach ihrem Inhalt ist auf diesem Mastodon-Server deaktiviert.",
+ "search_results.title": "Suchen nach {q}",
"search_results.total": "{count, number} {count, plural, one {Ergebnis} other {Ergebnisse}}",
+ "sign_in_banner.create_account": "Account erstellen",
+ "sign_in_banner.sign_in": "Einloggen",
+ "sign_in_banner.text": "Melden Sie sich an, um Profilen oder Hashtags zu folgen, Favoriten, Teilen und Antworten auf Beiträge oder interagieren Sie von Ihrem Konto auf einem anderen Server.",
"status.admin_account": "Öffne Moderationsoberfläche für @{name}",
"status.admin_status": "Öffne Beitrag in der Moderationsoberfläche",
"status.block": "Blockiere @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "{count, plural, one {{count} mal} other {{count} mal}} bearbeitet",
"status.embed": "Einbetten",
"status.favourite": "Favorisieren",
+ "status.filter": "Diesen Beitrag filtern",
"status.filtered": "Gefiltert",
- "status.hide": "Hide toot",
+ "status.hide": "Tröt verbergen",
"status.history.created": "{name} erstellte {date}",
"status.history.edited": "{name} bearbeitete {date}",
"status.load_more": "Weitere laden",
@@ -492,15 +517,21 @@
"status.report": "@{name} melden",
"status.sensitive_warning": "NSFW",
"status.share": "Teilen",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Trotzdem anzeigen",
"status.show_less": "Weniger anzeigen",
"status.show_less_all": "Alle Inhaltswarnungen zuklappen",
"status.show_more": "Mehr anzeigen",
"status.show_more_all": "Alle Inhaltswarnungen aufklappen",
+ "status.show_original": "Original anzeigen",
"status.show_thread": "Zeige Konversation",
+ "status.translate": "Übersetzen",
+ "status.translated_from": "Aus {lang} übersetzt",
"status.uncached_media_warning": "Nicht verfügbar",
"status.unmute_conversation": "Stummschaltung von Konversation aufheben",
"status.unpin": "Vom Profil lösen",
+ "subscribed_languages.lead": "Nur Beiträge in ausgewählten Sprachen werden nach der Änderung auf deiner Startseite und den Listen angezeigt. Wähle keine aus, um Beiträge in allen Sprachen zu erhalten.",
+ "subscribed_languages.save": "Änderungen speichern",
+ "subscribed_languages.target": "Abonnierte Sprachen für {target} ändern",
"suggestions.dismiss": "Empfehlung ausblenden",
"suggestions.header": "Du bist vielleicht interessiert an…",
"tabs_bar.federated_timeline": "Föderation",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Follower",
"timeline_hint.resources.follows": "Folgt",
"timeline_hint.resources.statuses": "Ältere Beiträge",
- "trends.counter_by_accounts": "{count, plural, one {{counter} Person redet darüber} other {{counter} Personen reden darüber}}",
+ "trends.counter_by_accounts": "{count, plural, one {{count} Person} other {{count} Personen}} {days, plural, one {am vergangenen Tag} other {in den vergangenen {days} Tagen}}",
"trends.trending_now": "In den Trends",
"ui.beforeunload": "Dein Entwurf geht verloren, wenn du Mastodon verlässt.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/defaultMessages.json b/app/javascript/mastodon/locales/defaultMessages.json
index f86b8bca4..fd4a7ff39 100644
--- a/app/javascript/mastodon/locales/defaultMessages.json
+++ b/app/javascript/mastodon/locales/defaultMessages.json
@@ -289,10 +289,6 @@
},
{
"descriptors": [
- {
- "defaultMessage": "Total volume in the last {days, plural, one {day} other {{days} days}}",
- "id": "hashtag.total_volume"
- },
{
"defaultMessage": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"id": "trends.counter_by_accounts"
@@ -635,6 +631,10 @@
{
"defaultMessage": "Unblock @{name}",
"id": "account.unblock"
+ },
+ {
+ "defaultMessage": "Filter this post",
+ "id": "status.filter"
}
],
"path": "app/javascript/mastodon/components/status_action_bar.json"
@@ -649,6 +649,18 @@
"defaultMessage": "Read more",
"id": "status.read_more"
},
+ {
+ "defaultMessage": "Translated from {lang}",
+ "id": "status.translated_from"
+ },
+ {
+ "defaultMessage": "Show original",
+ "id": "status.show_original"
+ },
+ {
+ "defaultMessage": "Translate",
+ "id": "status.translate"
+ },
{
"defaultMessage": "Show more",
"id": "status.show_more"
@@ -1026,6 +1038,10 @@
"defaultMessage": "Open moderation interface for @{name}",
"id": "status.admin_account"
},
+ {
+ "defaultMessage": "Change subscribed languages",
+ "id": "account.languages"
+ },
{
"defaultMessage": "Follows you",
"id": "account.follows_you"
@@ -1078,6 +1094,18 @@
{
"defaultMessage": "Download file",
"id": "video.download"
+ },
+ {
+ "defaultMessage": "Hide audio",
+ "id": "audio.hide"
+ },
+ {
+ "defaultMessage": "Sensitive content",
+ "id": "status.sensitive_warning"
+ },
+ {
+ "defaultMessage": "Media hidden",
+ "id": "status.media_hidden"
}
],
"path": "app/javascript/mastodon/features/audio/index.json"
@@ -1810,6 +1838,19 @@
},
{
"descriptors": [
+ {
+ "defaultMessage": "Nothing is trending right now. Check back later!",
+ "id": "empty_column.explore_statuses"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/explore/links.json"
+ },
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Search for {q}",
+ "id": "search_results.title"
+ },
{
"defaultMessage": "Could not find anything for these search terms",
"id": "search_results.nothing_found"
@@ -1842,6 +1883,24 @@
],
"path": "app/javascript/mastodon/features/explore/statuses.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Nothing is trending right now. Check back later!",
+ "id": "empty_column.explore_statuses"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/explore/suggestions.json"
+ },
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Nothing is trending right now. Check back later!",
+ "id": "empty_column.explore_statuses"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/explore/tags.json"
+ },
{
"descriptors": [
{
@@ -1868,6 +1927,84 @@
],
"path": "app/javascript/mastodon/features/favourites/index.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Expired filter!",
+ "id": "filter_modal.added.expired_title"
+ },
+ {
+ "defaultMessage": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "id": "filter_modal.added.expired_explanation"
+ },
+ {
+ "defaultMessage": "Context mismatch!",
+ "id": "filter_modal.added.context_mismatch_title"
+ },
+ {
+ "defaultMessage": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "id": "filter_modal.added.context_mismatch_explanation"
+ },
+ {
+ "defaultMessage": "settings page",
+ "id": "filter_modal.added.settings_link"
+ },
+ {
+ "defaultMessage": "Filter added!",
+ "id": "filter_modal.added.title"
+ },
+ {
+ "defaultMessage": "This post has been added to the following filter category: {title}.",
+ "id": "filter_modal.added.short_explanation"
+ },
+ {
+ "defaultMessage": "Filter settings",
+ "id": "filter_modal.added.review_and_configure_title"
+ },
+ {
+ "defaultMessage": "To review and further configure this filter category, go to the {settings_link}.",
+ "id": "filter_modal.added.review_and_configure"
+ },
+ {
+ "defaultMessage": "Done",
+ "id": "report.close"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/filters/added_to_filter.json"
+ },
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Search or create",
+ "id": "filter_modal.select_filter.search"
+ },
+ {
+ "defaultMessage": "Clear",
+ "id": "emoji_button.clear"
+ },
+ {
+ "defaultMessage": "expired",
+ "id": "filter_modal.select_filter.expired"
+ },
+ {
+ "defaultMessage": "does not apply to this context",
+ "id": "filter_modal.select_filter.context_mismatch"
+ },
+ {
+ "defaultMessage": "New category: {name}",
+ "id": "filter_modal.select_filter.prompt_new"
+ },
+ {
+ "defaultMessage": "Filter this post",
+ "id": "filter_modal.select_filter.title"
+ },
+ {
+ "defaultMessage": "Use an existing category or create a new one",
+ "id": "filter_modal.select_filter.subtitle"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/filters/select_filter.json"
+ },
{
"descriptors": [
{
@@ -2124,6 +2261,14 @@
},
{
"descriptors": [
+ {
+ "defaultMessage": "Follow hashtag",
+ "id": "hashtag.follow"
+ },
+ {
+ "defaultMessage": "Unfollow hashtag",
+ "id": "hashtag.unfollow"
+ },
{
"defaultMessage": "or {additional}",
"id": "hashtag.column_header.tag_mode.any"
@@ -2916,6 +3061,27 @@
],
"path": "app/javascript/mastodon/features/report/comment.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Public",
+ "id": "privacy.public.short"
+ },
+ {
+ "defaultMessage": "Unlisted",
+ "id": "privacy.unlisted.short"
+ },
+ {
+ "defaultMessage": "Followers-only",
+ "id": "privacy.private.short"
+ },
+ {
+ "defaultMessage": "Mentioned people only",
+ "id": "privacy.direct.short"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/report/components/status_check_box.json"
+ },
{
"descriptors": [
{
@@ -3248,6 +3414,27 @@
],
"path": "app/javascript/mastodon/features/status/index.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Close",
+ "id": "lightbox.close"
+ },
+ {
+ "defaultMessage": "Change subscribed languages for {target}",
+ "id": "subscribed_languages.target"
+ },
+ {
+ "defaultMessage": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "id": "subscribed_languages.lead"
+ },
+ {
+ "defaultMessage": "Save changes",
+ "id": "subscribed_languages.save"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/subscribed_languages_modal/index.json"
+ },
{
"descriptors": [
{
@@ -3401,6 +3588,19 @@
],
"path": "app/javascript/mastodon/features/ui/components/embed_modal.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Close",
+ "id": "lightbox.close"
+ },
+ {
+ "defaultMessage": "Filter a post",
+ "id": "filter_modal.title.status"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/ui/components/filter_modal.json"
+ },
{
"descriptors": [
{
@@ -3518,8 +3718,8 @@
"id": "navigation_bar.apps"
},
{
- "defaultMessage": "Terms of service",
- "id": "getting_started.terms"
+ "defaultMessage": "Privacy Policy",
+ "id": "getting_started.privacy_policy"
},
{
"defaultMessage": "Developers",
@@ -3664,6 +3864,23 @@
],
"path": "app/javascript/mastodon/features/ui/components/report_modal.json"
},
+ {
+ "descriptors": [
+ {
+ "defaultMessage": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
+ "id": "sign_in_banner.text"
+ },
+ {
+ "defaultMessage": "Sign in",
+ "id": "sign_in_banner.sign_in"
+ },
+ {
+ "defaultMessage": "Create account",
+ "id": "sign_in_banner.create_account"
+ }
+ ],
+ "path": "app/javascript/mastodon/features/ui/components/sign_in_banner.json"
+ },
{
"descriptors": [
{
@@ -3769,4 +3986,4 @@
],
"path": "app/javascript/mastodon/features/video/index.json"
}
-]
+]
\ No newline at end of file
diff --git a/app/javascript/mastodon/locales/el.json b/app/javascript/mastodon/locales/el.json
index 6abe8bcf7..fe4e3b81c 100644
--- a/app/javascript/mastodon/locales/el.json
+++ b/app/javascript/mastodon/locales/el.json
@@ -24,6 +24,7 @@
"account.follows_you": "Σε ακολουθεί",
"account.hide_reblogs": "Απόκρυψη προωθήσεων από @{name}",
"account.joined": "Μέλος από τις {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Η ιδιοκτησία αυτού του συνδέσμου ελέχθηκε την {date}",
"account.locked_info": "Η κατάσταση απορρήτου αυτού του λογαριασμού είναι κλειδωμένη. Ο ιδιοκτήτης επιβεβαιώνει χειροκίνητα ποιος μπορεί να τον ακολουθήσει.",
"account.media": "Πολυμέσα",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Εεπ!",
"announcement.announcement": "Ανακοίνωση",
"attachments_list.unprocessed": "(μη επεξεργασμένο)",
+ "audio.hide": "Απόκρυψη αρχείου ήχου",
"autosuggest_hashtag.per_week": "{count} ανα εβδομάδα",
"boost_modal.combo": "Μπορείς να πατήσεις {combo} για να το προσπεράσεις αυτό την επόμενη φορά",
"bundle_column_error.body": "Κάτι πήγε στραβά ενώ φορτωνόταν αυτό το στοιχείο.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Νέα",
"explore.trending_statuses": "Αναρτήσεις",
"explore.trending_tags": "Ετικέτες",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Ολοκληρώθηκε",
"follow_recommendations.heading": "Ακολουθήστε άτομα από τα οποία θα θέλατε να βλέπετε δημοσιεύσεις! Ορίστε μερικές προτάσεις.",
"follow_recommendations.lead": "Οι αναρτήσεις των ατόμων που ακολουθείτε θα εμφανίζονται με χρονολογική σειρά στη ροή σας. Μη φοβάστε να κάνετε λάθη, καθώς μπορείτε πολύ εύκολα να σταματήσετε να ακολουθείτε άλλα άτομα οποιαδήποτε στιγμή!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Αφετηρία",
"getting_started.invite": "Προσκάλεσε κόσμο",
"getting_started.open_source_notice": "Το Mastodon είναι ελεύθερο λογισμικό. Μπορείς να συνεισφέρεις ή να αναφέρεις ζητήματα στο the computer lab στο {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Οποιοδήποτε από αυτά",
"hashtag.column_settings.tag_mode.none": "Κανένα από αυτά",
"hashtag.column_settings.tag_toggle": "Προσθήκη επιπλέον ταμπελών για την κολώνα",
+ "hashtag.follow": "Παρακολούθηση ετικέτας",
+ "hashtag.unfollow": "Διακοπή παρακολούθησης ετικέτας",
"home.column_settings.basic": "Βασικές ρυθμίσεις",
"home.column_settings.show_reblogs": "Εμφάνιση προωθήσεων",
"home.column_settings.show_replies": "Εμφάνιση απαντήσεων",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Τουτ",
"search_results.statuses_fts_disabled": "Η αναζήτηση τουτ βάσει του περιεχόμενού τους δεν είναι ενεργοποιημένη σε αυτό τον κόμβο.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, zero {αποτελέσματα} one {αποτέλεσμα} other {αποτελέσματα}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Άνοιγμα λειτουργίας διαμεσολάβησης για τον/την @{name}",
"status.admin_status": "Άνοιγμα αυτής της δημοσίευσης στη λειτουργία διαμεσολάβησης",
"status.block": "Αποκλεισμός @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Ενσωμάτωσε",
"status.favourite": "Σημείωσε ως αγαπημένο",
+ "status.filter": "Filter this post",
"status.filtered": "Φιλτραρισμένα",
"status.hide": "Απόκρυψη toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Δείξε λιγότερα για όλα",
"status.show_more": "Δείξε περισσότερα",
"status.show_more_all": "Δείξε περισσότερα για όλα",
+ "status.show_original": "Εμφάνιση αρχικού",
"status.show_thread": "Εμφάνιση νήματος",
+ "status.translate": "Μετάφραση",
+ "status.translated_from": "Μεταφράστηκε από {lang}",
"status.uncached_media_warning": "Μη διαθέσιμα",
"status.unmute_conversation": "Διέκοψε την αποσιώπηση της συζήτησης",
"status.unpin": "Ξεκαρφίτσωσε από το προφίλ",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Αποθήκευση αλλαγών",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Απόρριψη πρότασης",
"suggestions.header": "Ίσως να ενδιαφέρεσαι για…",
"tabs_bar.federated_timeline": "Ομοσπονδιακή",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Ακόλουθοι",
"timeline_hint.resources.follows": "Ακολουθεί",
"timeline_hint.resources.statuses": "Παλαιότερα τουτ",
- "trends.counter_by_accounts": "{count, plural, one {{counter} άτομο μιλάει} other {{counter} άτομα μιλάνε}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} άτομο} other {{counter} άνθρωποι}} στο παρελθόν {days, plural, one {ημέρα} other {{days} ημέρες}}",
"trends.trending_now": "Δημοφιλή τώρα",
"ui.beforeunload": "Το προσχέδιό σου θα χαθεί αν φύγεις από το Mastodon.",
"units.short.billion": "{count}Δ",
diff --git a/app/javascript/mastodon/locales/en-GB.json b/app/javascript/mastodon/locales/en-GB.json
index 561f1088b..9a533693d 100644
--- a/app/javascript/mastodon/locales/en-GB.json
+++ b/app/javascript/mastodon/locales/en-GB.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Posts",
"search_results.statuses_fts_disabled": "Searching posts by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older posts",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/en.json b/app/javascript/mastodon/locales/en.json
index c2edacdaa..89887243a 100644
--- a/app/javascript/mastodon/locales/en.json
+++ b/app/javascript/mastodon/locales/en.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -200,6 +202,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -213,8 +231,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Account settings",
- "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}",
@@ -224,7 +242,8 @@
"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 for this column",
- "hashtag.total_volume": "Total volume in the last {days, plural, one {day} other {{days} days}}",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -457,7 +476,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Posts",
"search_results.statuses_fts_disabled": "Searching posts by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
@@ -473,6 +496,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -503,10 +527,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
diff --git a/app/javascript/mastodon/locales/eo.json b/app/javascript/mastodon/locales/eo.json
index de8581e26..56aa37958 100644
--- a/app/javascript/mastodon/locales/eo.json
+++ b/app/javascript/mastodon/locales/eo.json
@@ -24,6 +24,7 @@
"account.follows_you": "Sekvas vin",
"account.hide_reblogs": "Kaŝi la plusendojn de @{name}",
"account.joined": "Kuniĝis {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "La posedanto de tiu ligilo estis kontrolita je {date}",
"account.locked_info": "La privateco de tiu konto estas elektita kiel fermita. La posedanto povas mane akcepti tiun, kiu povas sekvi rin.",
"account.media": "Aŭdovidaĵoj",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Aj!",
"announcement.announcement": "Anonco",
"attachments_list.unprocessed": "(neprilaborita)",
+ "audio.hide": "Kaŝi aŭdion",
"autosuggest_hashtag.per_week": "{count} semajne",
"boost_modal.combo": "Vi povas premi {combo} por preterpasi sekvafoje",
"bundle_column_error.body": "Io misfunkciis en la ŝargado de ĉi tiu elemento.",
@@ -123,7 +125,7 @@
"confirmations.delete.message": "Ĉu vi certas, ke vi volas forigi ĉi tiun mesaĝon?",
"confirmations.delete_list.confirm": "Forigi",
"confirmations.delete_list.message": "Ĉu vi certas, ke vi volas porĉiame forigi ĉi tiun liston?",
- "confirmations.discard_edit_media.confirm": "Forlasi",
+ "confirmations.discard_edit_media.confirm": "Forĵeti",
"confirmations.discard_edit_media.message": "Vi havas nekonservitajn ŝanĝojn de la priskribo aŭ de la antaŭmontro de la aŭdovidaĵo, ĉu vi forlasu ilin ĉiuokaze?",
"confirmations.domain_block.confirm": "Bloki la tutan domajnon",
"confirmations.domain_block.message": "Ĉu vi vere, vere certas, ke vi volas tute bloki {domain}? Plej ofte, trafa blokado kaj silentigado sufiĉas kaj preferindas. Vi ne vidos enhavon de tiu domajno en publika templinio aŭ en viaj sciigoj. Viaj sekvantoj de tiu domajno estos forigitaj.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novaĵoj",
"explore.trending_statuses": "Afiŝoj",
"explore.trending_tags": "Kradvortoj",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filtrilopcioj",
+ "filter_modal.added.settings_link": "opciopaĝo",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "eksvalidiĝinta",
+ "filter_modal.select_filter.prompt_new": "Nova klaso: {name}",
+ "filter_modal.select_filter.search": "Serĉi aŭ krei",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filtri ĉi afiŝo",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Farita",
"follow_recommendations.heading": "Sekvi la personojn kies mesaĝojn vi volas vidi! Jen iom da sugestoj.",
"follow_recommendations.lead": "La mesaĝoj de personoj kiujn vi sekvas, aperos laŭ kronologia ordo en via hejma templinio. Ne timu erari, vi povas ĉesi sekvi facile iam ajn!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Por komenci",
"getting_started.invite": "Inviti homojn",
"getting_started.open_source_notice": "Mastodon estas malfermitkoda programo. Vi povas kontribui aŭ raporti problemojn en the computer lab je {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Sekureco",
- "getting_started.terms": "Kondiĉoj de la servo",
"hashtag.column_header.tag_mode.all": "kaj {additional}",
"hashtag.column_header.tag_mode.any": "aŭ {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Iu ajn",
"hashtag.column_settings.tag_mode.none": "Neniu",
"hashtag.column_settings.tag_toggle": "Aldoni pliajn etikedojn por ĉi tiu kolumno",
+ "hashtag.follow": "Sekvi la kradvorton",
+ "hashtag.unfollow": "Ne plu sekvi la kradvorton",
"home.column_settings.basic": "Bazaj agordoj",
"home.column_settings.show_reblogs": "Montri plusendojn",
"home.column_settings.show_replies": "Montri respondojn",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Povis trovi nenion por ĉi tiuj serĉaj terminoj",
"search_results.statuses": "Mesaĝoj",
"search_results.statuses_fts_disabled": "Serĉi mesaĝojn laŭ enhavo ne estas ebligita en ĉi tiu Mastodon-servilo.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {rezulto} other {rezultoj}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Malfermi la kontrolan interfacon por @{name}",
"status.admin_status": "Malfermi ĉi tiun mesaĝon en la kontrola interfaco",
"status.block": "Bloki @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Redactita {count, plural, one {{count} fojon} other {{count} fojojn}}",
"status.embed": "Enkorpigi",
"status.favourite": "Aldoni al viaj preferaĵoj",
+ "status.filter": "Filtri ĉi afiŝo",
"status.filtered": "Filtrita",
"status.hide": "Kaŝi la mesaĝon",
"status.history.created": "{name} kreis {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Montri malpli ĉiun",
"status.show_more": "Montri pli",
"status.show_more_all": "Montri pli ĉiun",
+ "status.show_original": "Show original",
"status.show_thread": "Montri la mesaĝaron",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Nedisponebla",
"status.unmute_conversation": "Malsilentigi la konversacion",
"status.unpin": "Depingli de profilo",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Forigi la proponon",
"suggestions.header": "Vi povus interesiĝi pri…",
"tabs_bar.federated_timeline": "Fratara",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sekvantoj",
"timeline_hint.resources.follows": "Sekvatoj",
"timeline_hint.resources.statuses": "Pli malnovaj mesaĝoj",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persono} other {{counter} personoj}} parolante",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Nunaj furoraĵoj",
"ui.beforeunload": "Via malneto perdiĝos se vi eliras de Mastodon.",
"units.short.billion": "{count}Md",
diff --git a/app/javascript/mastodon/locales/es-AR.json b/app/javascript/mastodon/locales/es-AR.json
index 2c967ccdf..84a24aa04 100644
--- a/app/javascript/mastodon/locales/es-AR.json
+++ b/app/javascript/mastodon/locales/es-AR.json
@@ -24,6 +24,7 @@
"account.follows_you": "Te sigue",
"account.hide_reblogs": "Ocultar adhesiones de @{name}",
"account.joined": "En este servidor desde {date}",
+ "account.languages": "Cambiar idiomas suscritos",
"account.link_verified_on": "La propiedad de este enlace fue verificada el {date}",
"account.locked_info": "Esta cuenta es privada. El propietario manualmente revisa quién puede seguirle.",
"account.media": "Medios",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "¡Epa!",
"announcement.announcement": "Anuncio",
"attachments_list.unprocessed": "[sin procesar]",
+ "audio.hide": "Ocultar audio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Podés hacer clic en {combo} para saltar esto la próxima vez",
"bundle_column_error.body": "Algo salió mal al cargar este componente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Noticias",
"explore.trending_statuses": "Mensajes",
"explore.trending_tags": "Etiquetas",
+ "filter_modal.added.context_mismatch_explanation": "Esta categoría de filtro no se aplica al contexto en el que accediste a este mensaje. Si querés que el mensaje sea filtrado también en este contexto, vas a tener que editar el filtro.",
+ "filter_modal.added.context_mismatch_title": "¡El contexto no coincide!",
+ "filter_modal.added.expired_explanation": "Esta categoría de filtro caducó; vas a necesitar cambiar la fecha de caducidad para que se aplique.",
+ "filter_modal.added.expired_title": "¡Filtro caducado!",
+ "filter_modal.added.review_and_configure": "Para revisar y configurar esta categoría de filtros, visitá a la {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Configuración de filtro",
+ "filter_modal.added.settings_link": "página de configuración",
+ "filter_modal.added.short_explanation": "Este mensaje fue agregado a la siguiente categoría de filtros: {title}.",
+ "filter_modal.added.title": "¡Filtro agregado!",
+ "filter_modal.select_filter.context_mismatch": "no aplica a este contexto",
+ "filter_modal.select_filter.expired": "expirado",
+ "filter_modal.select_filter.prompt_new": "Nueva categoría: {name}",
+ "filter_modal.select_filter.search": "Buscar o crear",
+ "filter_modal.select_filter.subtitle": "Usar una categoría existente o crear una nueva",
+ "filter_modal.select_filter.title": "Filtrar este mensaje",
+ "filter_modal.title.status": "Filtrar un mensaje",
"follow_recommendations.done": "Listo",
"follow_recommendations.heading": "¡Seguí cuentas cuyos mensajes te gustaría ver! Acá tenés algunas sugerencias.",
"follow_recommendations.lead": "Los mensajes de las cuentas que seguís aparecerán en orden cronológico en la columna \"Inicio\". No tengás miedo de meter la pata, ¡podés dejar de seguir cuentas fácilmente en cualquier momento!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Introducción",
"getting_started.invite": "Invitar gente",
"getting_started.open_source_notice": "Mastodon es software libre. Podés contribuir o informar errores en {github}.",
+ "getting_started.privacy_policy": "Política de privacidad",
"getting_started.security": "Configuración de la cuenta",
- "getting_started.terms": "Términos del servicio",
"hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sin {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cualquiera de estas",
"hashtag.column_settings.tag_mode.none": "Ninguna de estas",
"hashtag.column_settings.tag_toggle": "Incluir etiquetas adicionales para esta columna",
+ "hashtag.follow": "Seguir etiqueta",
+ "hashtag.unfollow": "Dejar de seguir etiqueta",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar adhesiones",
"home.column_settings.show_replies": "Mostrar respuestas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "No se pudo encontrar nada para estos términos de búsqueda",
"search_results.statuses": "Mensajes",
"search_results.statuses_fts_disabled": "No se pueden buscar mensajes por contenido en este servidor de Mastodon.",
+ "search_results.title": "Buscar {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Crear cuenta",
+ "sign_in_banner.sign_in": "Iniciar sesión",
+ "sign_in_banner.text": "Iniciá sesión para seguir cuentas o etiquetas, marcar mensajes como favoritos, compartirlos y responderlos o interactuar desde tu cuenta en un servidor diferente.",
"status.admin_account": "Abrir interface de moderación para @{name}",
"status.admin_status": "Abrir este mensaje en la interface de moderación",
"status.block": "Bloquear a @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Editado {count, plural, one {{count} vez} other {{count} veces}}",
"status.embed": "Insertar",
"status.favourite": "Marcar como favorito",
+ "status.filter": "Filtrar este mensaje",
"status.filtered": "Filtrado",
"status.hide": "Ocultar mensaje",
"status.history.created": "Creado por {name} el {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Mostrar menos para todo",
"status.show_more": "Mostrar más",
"status.show_more_all": "Mostrar más para todo",
+ "status.show_original": "Mostrar original",
"status.show_thread": "Mostrar hilo",
+ "status.translate": "Traducir",
+ "status.translated_from": "Traducido desde el {lang}",
"status.uncached_media_warning": "No disponible",
"status.unmute_conversation": "Dejar de silenciar conversación",
"status.unpin": "Dejar de fijar",
+ "subscribed_languages.lead": "Después del cambio, sólo los mensajes en los idiomas seleccionados aparecerán en tu línea temporal Principal y en las líneas de tiempo de lista. No seleccionés ningún idioma para poder recibir mensajes en todos los idiomas.",
+ "subscribed_languages.save": "Guardar cambios",
+ "subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
"suggestions.dismiss": "Descartar sugerencia",
"suggestions.header": "Es posible que te interese…",
"tabs_bar.federated_timeline": "Federada",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Tus seguidores",
"timeline_hint.resources.follows": "Las cuentas que seguís",
"timeline_hint.resources.statuses": "Mensajes más antiguos",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} hablando",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} en el/los pasado/s {days, plural, one {día} other {{days} días}}",
"trends.trending_now": "Tendencia ahora",
"ui.beforeunload": "Tu borrador se perderá si abandonás Mastodon.",
"units.short.billion": "{count}MM",
diff --git a/app/javascript/mastodon/locales/es-MX.json b/app/javascript/mastodon/locales/es-MX.json
index 0923a0734..59c1c50e7 100644
--- a/app/javascript/mastodon/locales/es-MX.json
+++ b/app/javascript/mastodon/locales/es-MX.json
@@ -24,6 +24,7 @@
"account.follows_you": "Te sigue",
"account.hide_reblogs": "Ocultar retoots de @{name}",
"account.joined": "Se unió el {date}",
+ "account.languages": "Cambiar idiomas suscritos",
"account.link_verified_on": "El proprietario de este link fue comprobado 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": "Multimedia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "¡Ups!",
"announcement.announcement": "Anuncio",
"attachments_list.unprocessed": "(sin procesar)",
+ "audio.hide": "Ocultar audio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Puedes hacer clic en {combo} para saltar este aviso la próxima vez",
"bundle_column_error.body": "Algo salió mal al cargar este componente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Noticias",
"explore.trending_statuses": "Publicaciones",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "Esta categoría de filtro no se aplica al contexto en el que ha accedido a esta publlicación. Si quieres que la publicación sea filtrada también en este contexto, tendrás que editar el filtro.",
+ "filter_modal.added.context_mismatch_title": "¡El contexto no coincide!",
+ "filter_modal.added.expired_explanation": "Esta categoría de filtro ha caducado, necesitará cambiar la fecha de caducidad para que se aplique.",
+ "filter_modal.added.expired_title": "¡Filtro caducado!",
+ "filter_modal.added.review_and_configure": "Para revisar y configurar esta categoría de filtros, vaya a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Ajustes de filtro",
+ "filter_modal.added.settings_link": "página de ajustes",
+ "filter_modal.added.short_explanation": "Esta publicación ha sido añadida a la siguiente categoría de filtros: {title}.",
+ "filter_modal.added.title": "¡Filtro añadido!",
+ "filter_modal.select_filter.context_mismatch": "no se aplica a este contexto",
+ "filter_modal.select_filter.expired": "expirado",
+ "filter_modal.select_filter.prompt_new": "Nueva categoría: {name}",
+ "filter_modal.select_filter.search": "Buscar o crear",
+ "filter_modal.select_filter.subtitle": "Usar una categoría existente o crear una nueva",
+ "filter_modal.select_filter.title": "Filtrar esta publicación",
+ "filter_modal.title.status": "Filtrar una publicación",
"follow_recommendations.done": "Hecho",
"follow_recommendations.heading": "¡Sigue a gente que publique cosas que te gusten! Aquí tienes algunas sugerencias.",
"follow_recommendations.lead": "Las publicaciones de la gente a la que sigas aparecerán ordenadas cronológicamente en Inicio. No tengas miedo de cometer errores, ¡puedes dejarles de seguir en cualquier momento con la misma facilidad!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primeros pasos",
"getting_started.invite": "Invitar usuarios",
"getting_started.open_source_notice": "Mastodon es software libre. Puedes contribuir o reportar errores en {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Seguridad",
- "getting_started.terms": "Términos de servicio",
"hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sin {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cualquiera de estos",
"hashtag.column_settings.tag_mode.none": "Ninguno de estos",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Seguir etiqueta",
+ "hashtag.unfollow": "Dejar de seguir etiqueta",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar retoots",
"home.column_settings.show_replies": "Mostrar respuestas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "No se pudo encontrar nada para estos términos de busqueda",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Buscar toots por su contenido no está disponible en este servidor de Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Abrir interfaz de moderación para @{name}",
"status.admin_status": "Abrir este estado en la interfaz de moderación",
"status.block": "Bloquear a @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "Editado {count, plural, one {{count} time} other {{count} veces}}",
"status.embed": "Incrustado",
"status.favourite": "Favorito",
+ "status.filter": "Filtrar esta publicación",
"status.filtered": "Filtrado",
- "status.hide": "Hide toot",
+ "status.hide": "Ocultar publicación",
"status.history.created": "{name} creó {date}",
"status.history.edited": "{name} editado {date}",
"status.load_more": "Cargar más",
@@ -492,15 +517,21 @@
"status.report": "Reportar",
"status.sensitive_warning": "Contenido sensible",
"status.share": "Compartir",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Mostrar de todos modos",
"status.show_less": "Mostrar menos",
"status.show_less_all": "Mostrar menos para todo",
"status.show_more": "Mostrar más",
"status.show_more_all": "Mostrar más para todo",
+ "status.show_original": "Mostrar original",
"status.show_thread": "Mostrar hilo",
+ "status.translate": "Traducir",
+ "status.translated_from": "Traducido del {lang}",
"status.uncached_media_warning": "No disponible",
"status.unmute_conversation": "Dejar de silenciar conversación",
"status.unpin": "Dejar de fijar",
+ "subscribed_languages.lead": "Sólo los mensajes en los idiomas seleccionados aparecerán en su inicio y otras líneas de tiempo después del cambio. Seleccione ninguno para recibir mensajes en todos los idiomas.",
+ "subscribed_languages.save": "Guardar cambios",
+ "subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
"suggestions.dismiss": "Descartar sugerencia",
"suggestions.header": "Es posible que te interese…",
"tabs_bar.federated_timeline": "Federado",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidores",
"timeline_hint.resources.follows": "Seguidos",
"timeline_hint.resources.statuses": "Toots más antiguos",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} hablando",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} en los últimos {days, plural, one {días} other {{days} días}}",
"trends.trending_now": "Tendencia ahora",
"ui.beforeunload": "Tu borrador se perderá si sales de Mastodon.",
"units.short.billion": "{count} MM",
diff --git a/app/javascript/mastodon/locales/es.json b/app/javascript/mastodon/locales/es.json
index 4e30f7b71..e8c39655f 100644
--- a/app/javascript/mastodon/locales/es.json
+++ b/app/javascript/mastodon/locales/es.json
@@ -24,6 +24,7 @@
"account.follows_you": "Te sigue",
"account.hide_reblogs": "Ocultar retoots de @{name}",
"account.joined": "Se unió el {date}",
+ "account.languages": "Cambiar idiomas suscritos",
"account.link_verified_on": "El proprietario de este link fue comprobado 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": "Multimedia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "¡Ups!",
"announcement.announcement": "Anuncio",
"attachments_list.unprocessed": "(sin procesar)",
+ "audio.hide": "Ocultar audio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Puedes hacer clic en {combo} para saltar este aviso la próxima vez",
"bundle_column_error.body": "Algo salió mal al cargar este componente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Noticias",
"explore.trending_statuses": "Publicaciones",
"explore.trending_tags": "Etiquetas",
+ "filter_modal.added.context_mismatch_explanation": "Esta categoría de filtro no se aplica al contexto en el que ha accedido a esta publlicación. Si quieres que la publicación sea filtrada también en este contexto, tendrás que editar el filtro.",
+ "filter_modal.added.context_mismatch_title": "¡El contexto no coincide!",
+ "filter_modal.added.expired_explanation": "Esta categoría de filtro ha caducado, necesitará cambiar la fecha de caducidad para que se aplique.",
+ "filter_modal.added.expired_title": "¡Filtro caducado!",
+ "filter_modal.added.review_and_configure": "Para revisar y configurar esta categoría de filtros, vaya a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Ajustes de filtro",
+ "filter_modal.added.settings_link": "página de ajustes",
+ "filter_modal.added.short_explanation": "Esta publicación ha sido añadida a la siguiente categoría de filtros: {title}.",
+ "filter_modal.added.title": "¡Filtro añadido!",
+ "filter_modal.select_filter.context_mismatch": "no se aplica a este contexto",
+ "filter_modal.select_filter.expired": "expirado",
+ "filter_modal.select_filter.prompt_new": "Nueva categoría: {name}",
+ "filter_modal.select_filter.search": "Buscar o crear",
+ "filter_modal.select_filter.subtitle": "Usar una categoría existente o crear una nueva",
+ "filter_modal.select_filter.title": "Filtrar esta publicación",
+ "filter_modal.title.status": "Filtrar una publicación",
"follow_recommendations.done": "Hecho",
"follow_recommendations.heading": "¡Sigue a gente que publique cosas que te gusten! Aquí tienes algunas sugerencias.",
"follow_recommendations.lead": "Las publicaciones de la gente a la que sigas aparecerán ordenadas cronológicamente en Inicio. No tengas miedo de cometer errores, ¡puedes dejarles de seguir en cualquier momento con la misma facilidad!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primeros pasos",
"getting_started.invite": "Invitar usuarios",
"getting_started.open_source_notice": "Mastodon es software libre. Puedes contribuir o reportar errores en {github}.",
+ "getting_started.privacy_policy": "Política de Privacidad",
"getting_started.security": "Seguridad",
- "getting_started.terms": "Términos de servicio",
"hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sin {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cualquiera de estos",
"hashtag.column_settings.tag_mode.none": "Ninguno de estos",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Seguir etiqueta",
+ "hashtag.unfollow": "Dejar de seguir etiqueta",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar retoots",
"home.column_settings.show_replies": "Mostrar respuestas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "No se pudo encontrar nada para estos términos de búsqueda",
"search_results.statuses": "Publicaciones",
"search_results.statuses_fts_disabled": "Buscar publicaciones por su contenido no está disponible en este servidor de Mastodon.",
+ "search_results.title": "Buscar {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Crear cuenta",
+ "sign_in_banner.sign_in": "Iniciar sesión",
+ "sign_in_banner.text": "Inicia sesión en este servidor para seguir perfiles o etiquetas, guardar, compartir y responder a mensajes. También puedes interactuar desde otra cuenta en un servidor diferente.",
"status.admin_account": "Abrir interfaz de moderación para @{name}",
"status.admin_status": "Abrir este estado en la interfaz de moderación",
"status.block": "Bloquear a @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Editado {count, plural, one {{count} vez} other {{count} veces}}",
"status.embed": "Incrustado",
"status.favourite": "Favorito",
+ "status.filter": "Filtrar esta publicación",
"status.filtered": "Filtrado",
"status.hide": "Ocultar publicación",
"status.history.created": "{name} creó {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Mostrar menos para todo",
"status.show_more": "Mostrar más",
"status.show_more_all": "Mostrar más para todo",
+ "status.show_original": "Mostrar original",
"status.show_thread": "Mostrar hilo",
+ "status.translate": "Traducir",
+ "status.translated_from": "Traducido del {lang}",
"status.uncached_media_warning": "No disponible",
"status.unmute_conversation": "Dejar de silenciar conversación",
"status.unpin": "Dejar de fijar",
+ "subscribed_languages.lead": "Sólo los mensajes en los idiomas seleccionados aparecerán en su inicio y otras líneas de tiempo después del cambio. Seleccione ninguno para recibir mensajes en todos los idiomas.",
+ "subscribed_languages.save": "Guardar cambios",
+ "subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
"suggestions.dismiss": "Descartar sugerencia",
"suggestions.header": "Es posible que te interese…",
"tabs_bar.federated_timeline": "Federada",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidores",
"timeline_hint.resources.follows": "Seguidos",
"timeline_hint.resources.statuses": "Publicaciones más antiguas",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} hablando",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} personas}} en los últimos {days, plural, one {días} other {{days} días}}",
"trends.trending_now": "Tendencia ahora",
"ui.beforeunload": "Tu borrador se perderá si sales de Mastodon.",
"units.short.billion": "{count} MM",
diff --git a/app/javascript/mastodon/locales/et.json b/app/javascript/mastodon/locales/et.json
index b4e161a36..f85b8a8e4 100644
--- a/app/javascript/mastodon/locales/et.json
+++ b/app/javascript/mastodon/locales/et.json
@@ -24,6 +24,7 @@
"account.follows_you": "Jälgib Teid",
"account.hide_reblogs": "Peida upitused kasutajalt @{name}",
"account.joined": "Liitus {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Selle lingi autorsust kontrolliti {date}",
"account.locked_info": "Selle konto privaatsussätteks on lukustatud. Omanik vaatab manuaalselt üle, kes teda jägida saab.",
"account.media": "Meedia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oih!",
"announcement.announcement": "Teadaanne",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} nädalas",
"boost_modal.combo": "Võite vajutada {combo}, et see järgmine kord vahele jätta",
"bundle_column_error.body": "Midagi läks valesti selle komponendi laadimisel.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Uudised",
"explore.trending_statuses": "Postitused",
"explore.trending_tags": "Sildid",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Alustamine",
"getting_started.invite": "Kutsu inimesi",
"getting_started.open_source_notice": "Mastodon on avatud lähtekoodiga tarkvara. Saate panustada või teatada probleemidest the computer labis {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Turvalisus",
- "getting_started.terms": "Kasutustingimused",
"hashtag.column_header.tag_mode.all": "ja {additional}",
"hashtag.column_header.tag_mode.any": "või {additional}",
"hashtag.column_header.tag_mode.none": "ilma {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Mõni neist",
"hashtag.column_settings.tag_mode.none": "Mitte ükski neist",
"hashtag.column_settings.tag_toggle": "Kaasa lisamärked selle tulba jaoks",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Peamine",
"home.column_settings.show_reblogs": "Näita upitusi",
"home.column_settings.show_replies": "Näita vastuseid",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Tuudid",
"search_results.statuses_fts_disabled": "Tuutsude otsimine nende sisu järgi ei ole sellel Mastodoni serveril sisse lülitatud.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {tulemus} other {tulemust}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Ava moderaatoriliides kasutajale @{name}",
"status.admin_status": "Ava see staatus moderaatoriliites",
"status.block": "Blokeeri @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Sängita",
"status.favourite": "Lemmik",
+ "status.filter": "Filter this post",
"status.filtered": "Filtreeritud",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Näita vähem kõigile",
"status.show_more": "Näita veel",
"status.show_more_all": "Näita enam kõigile",
+ "status.show_original": "Show original",
"status.show_thread": "Kuva lõim",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Pole saadaval",
"status.unmute_conversation": "Ära vaigista vestlust",
"status.unpin": "Kinnita profiililt lahti",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Eira soovitust",
"suggestions.header": "Teid võib huvitada…",
"tabs_bar.federated_timeline": "Föderatiivne",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Hetkel populaarne",
"ui.beforeunload": "Teie mustand läheb kaotsi, kui lahkute Mastodonist.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/eu.json b/app/javascript/mastodon/locales/eu.json
index 624a66eee..19ec599bd 100644
--- a/app/javascript/mastodon/locales/eu.json
+++ b/app/javascript/mastodon/locales/eu.json
@@ -24,6 +24,7 @@
"account.follows_you": "Jarraitzen dizu",
"account.hide_reblogs": "Ezkutatu @{name}(r)en bultzadak",
"account.joined": "{date}(e)an elkartua",
+ "account.languages": "Change subscribed languages",
"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": "Multimedia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ene!",
"announcement.announcement": "Iragarpena",
"attachments_list.unprocessed": "(prozesatu gabe)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} asteko",
"boost_modal.combo": "{combo} sakatu dezakezu hurrengoan hau saltatzeko",
"bundle_column_error.body": "Zerbait okerra gertatu da osagai hau kargatzean.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Berriak",
"explore.trending_statuses": "Bidalketak",
"explore.trending_tags": "Traolak",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Egina",
"follow_recommendations.heading": "Jarraitu jendea beren bidalketak ikusteko! Hemen dituzu iradokizun batzuk.",
"follow_recommendations.lead": "Jarraitzen duzun jendearen bidalketak ordena kronologikoan agertuko dira zure hasierako jarioan. Ez izan akatsak egiteko beldurrik, jendea jarraitzeari uztea erraza da!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Menua",
"getting_started.invite": "Gonbidatu jendea",
"getting_started.open_source_notice": "Mastodon software librea da. Ekarpenak egin ditzakezu edo akatsen berri eman the computer lab bidez: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Segurtasuna",
- "getting_started.terms": "Erabilera baldintzak",
"hashtag.column_header.tag_mode.all": "eta {osagarria}",
"hashtag.column_header.tag_mode.any": "edo {osagarria}",
"hashtag.column_header.tag_mode.none": "gabe {osagarria}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Hautako edozein",
"hashtag.column_settings.tag_mode.none": "Hauetako bat ere ez",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Oinarrizkoa",
"home.column_settings.show_reblogs": "Erakutsi bultzadak",
"home.column_settings.show_replies": "Erakutsi erantzunak",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Ez da emaitzarik aurkitu bilaketa-termino horientzat",
"search_results.statuses": "Bidalketak",
"search_results.statuses_fts_disabled": "Mastodon zerbitzari honek ez du bidalketen edukiaren bilaketa gaitu.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {emaitza} other {emaitza}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Ireki @{name} erabiltzailearen moderazio interfazea",
"status.admin_status": "Ireki bidalketa hau moderazio interfazean",
"status.block": "Blokeatu @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {behin} other {{count} aldiz}} editatua",
"status.embed": "Txertatu",
"status.favourite": "Gogokoa",
+ "status.filter": "Filter this post",
"status.filtered": "Iragazita",
"status.hide": "Hide toot",
"status.history.created": "{name} erabiltzaileak sortua {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Erakutsi denetarik gutxiago",
"status.show_more": "Erakutsi gehiago",
"status.show_more_all": "Erakutsi denetarik gehiago",
+ "status.show_original": "Show original",
"status.show_thread": "Erakutsi haria",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ez eskuragarri",
"status.unmute_conversation": "Desmututu elkarrizketa",
"status.unpin": "Desfinkatu profiletik",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Errefusatu proposamena",
"suggestions.header": "Hau interesatu dakizuke…",
"tabs_bar.federated_timeline": "Federatua",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Jarraitzaileak",
"timeline_hint.resources.follows": "Jarraitzen",
"timeline_hint.resources.statuses": "Bidalketa zaharragoak",
- "trends.counter_by_accounts": "{count, plural, one {Pertsona {counter}} other {{counter} pertsona}} hizketan",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Joera orain",
"ui.beforeunload": "Zure zirriborroa galduko da Mastodon uzten baduzu.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/fa.json b/app/javascript/mastodon/locales/fa.json
index 99621747e..fe6b6a780 100644
--- a/app/javascript/mastodon/locales/fa.json
+++ b/app/javascript/mastodon/locales/fa.json
@@ -24,6 +24,7 @@
"account.follows_you": "پی میگیردتان",
"account.hide_reblogs": "نهفتن تقویتهای @{name}",
"account.joined": "پیوسته از {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "مالکیت این پیوند در {date} بررسی شد",
"account.locked_info": "این حساب خصوصی است. صاحبش تصمیم میگیرد که چه کسی پیگیرش باشد.",
"account.media": "رسانه",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "ای وای!",
"announcement.announcement": "اعلامیه",
"attachments_list.unprocessed": "(پردازش نشده)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} در هفته",
"boost_modal.combo": "دکمهٔ {combo} را بزنید تا دیگر این را نبینید",
"bundle_column_error.body": "هنگام بار کردن این مولفه، اشتباهی رخ داد.",
@@ -196,6 +198,22 @@
"explore.trending_links": "اخبار",
"explore.trending_statuses": "فرستهها",
"explore.trending_tags": "هشتگها",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "انجام شد",
"follow_recommendations.heading": "افرادی را که میخواهید فرستههایشان را ببینید پیگیری کنید! اینها تعدادی پیشنهاد هستند.",
"follow_recommendations.lead": "فرستههای افرادی که دنبال میکنید به ترتیب زمانی در خوراک خانهتان نشان داده خواهد شد. از اشتباه کردن نترسید. میتوانید به همین سادگی در هر زمانی از دنبال کردن افراد دست بکشید!",
@@ -209,8 +227,8 @@
"getting_started.heading": "آغاز کنید",
"getting_started.invite": "دعوت از دیگران",
"getting_started.open_source_notice": "ماستودون نرمافزاری آزاد است. میتوانید روی {github} در آن مشارکت کرده یا مشکلاتش را گزارش دهید.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "هرکدام از اینها",
"hashtag.column_settings.tag_mode.none": "هیچکدام از اینها",
"hashtag.column_settings.tag_toggle": "افزودن برچسبهایی بیشتر به این ستون",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "پایهای",
"home.column_settings.show_reblogs": "نمایش تقویتها",
"home.column_settings.show_replies": "نمایش پاسخها",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "چیزی برای این عبارت جستوجو یافت نشد",
"search_results.statuses": "فرستهها",
"search_results.statuses_fts_disabled": "جستوجوی محتوای فرستهها در این کارساز ماستودون به کار انداخته نشده است.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {نتیجه} other {نتیجه}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "گشودن واسط مدیریت برای @{name}",
"status.admin_status": "گشودن این فرسته در واسط مدیریت",
"status.block": "مسدود کردن @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {{count} مرتبه} other {{count} مرتبه}} ویرایش شد",
"status.embed": "جاسازی",
"status.favourite": "پسندیدن",
+ "status.filter": "Filter this post",
"status.filtered": "پالوده",
"status.hide": "Hide toot",
"status.history.created": "توسط {name} در {date} ایجاد شد",
@@ -497,10 +522,16 @@
"status.show_less_all": "نمایش کمتر همه",
"status.show_more": "نمایش بیشتر",
"status.show_more_all": "نمایش بیشتر همه",
+ "status.show_original": "Show original",
"status.show_thread": "نمایش رشته",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "ناموجود",
"status.unmute_conversation": "رفع خموشی گفتوگو",
"status.unpin": "برداشتن سنجاق از نمایه",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "نادیده گرفتن پیشنهاد",
"suggestions.header": "شاید این هم برایتان جالب باشد…",
"tabs_bar.federated_timeline": "همگانی",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "پیگیرندگان",
"timeline_hint.resources.follows": "پیگرفتگان",
"timeline_hint.resources.statuses": "فرستههای قدیمیتر",
- "trends.counter_by_accounts": "{count, plural, one {{counter} نفر} other {{counter} نفر}} صحبت میکنند",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "پرطرفدار",
"ui.beforeunload": "اگر از ماستودون خارج شوید پیشنویس شما از دست خواهد رفت.",
"units.short.billion": "{count}میلیارد",
diff --git a/app/javascript/mastodon/locales/fi.json b/app/javascript/mastodon/locales/fi.json
index a826c1340..ad77c3343 100644
--- a/app/javascript/mastodon/locales/fi.json
+++ b/app/javascript/mastodon/locales/fi.json
@@ -18,12 +18,13 @@
"account.followers": "Seuraajat",
"account.followers.empty": "Kukaan ei seuraa tätä käyttäjää vielä.",
"account.followers_counter": "{count, plural, one {{counter} seuraaja} other {{counter} seuraajat}}",
- "account.following": "Following",
+ "account.following": "Seurataan",
"account.following_counter": "{count, plural, one {{counter} seuraa} other {{counter} seuraa}}",
"account.follows.empty": "Tämä käyttäjä ei vielä seuraa ketään.",
"account.follows_you": "Seuraa sinua",
"account.hide_reblogs": "Piilota buustaukset käyttäjältä @{name}",
"account.joined": "Liittynyt {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Tämän linkin omistaja tarkistettiin {date}",
"account.locked_info": "Tämän tilin yksityisyyden tila on asetettu lukituksi. Omistaja arvioi manuaalisesti, kuka voi seurata niitä.",
"account.media": "Media",
@@ -41,12 +42,12 @@
"account.statuses_counter": "{count, plural, one {{counter} Toot} other {{counter} Toots}}",
"account.unblock": "Salli @{name}",
"account.unblock_domain": "Salli {domain}",
- "account.unblock_short": "Unblock",
+ "account.unblock_short": "Poista esto",
"account.unendorse": "Poista suosittelu profiilistasi",
"account.unfollow": "Lopeta seuraaminen",
"account.unmute": "Poista käyttäjän @{name} mykistys",
"account.unmute_notifications": "Poista mykistys käyttäjän @{name} ilmoituksilta",
- "account.unmute_short": "Unmute",
+ "account.unmute_short": "Poista mykistys",
"account_note.placeholder": "Lisää muistiinpano napsauttamalla",
"admin.dashboard.daily_retention": "Käyttäjän säilyminen rekisteröitymisen jälkeiseen päivään mennessä",
"admin.dashboard.monthly_retention": "Käyttäjän säilyminen rekisteröitymisen jälkeiseen kuukauteen mennessä",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hups!",
"announcement.announcement": "Ilmoitus",
"attachments_list.unprocessed": "(käsittelemätön)",
+ "audio.hide": "Piilota ääni",
"autosuggest_hashtag.per_week": "{count} viikossa",
"boost_modal.combo": "Ensi kerralla voit ohittaa tämän painamalla {combo}",
"bundle_column_error.body": "Jokin meni vikaan komponenttia ladattaessa.",
@@ -70,7 +72,7 @@
"column.blocks": "Estetyt käyttäjät",
"column.bookmarks": "Kirjanmerkit",
"column.community": "Paikallinen aikajana",
- "column.direct": "Direct messages",
+ "column.direct": "Yksityisviestit",
"column.directory": "Selaa profiileja",
"column.domain_blocks": "Piilotetut verkkotunnukset",
"column.favourites": "Suosikit",
@@ -92,10 +94,10 @@
"community.column_settings.local_only": "Vain paikalliset",
"community.column_settings.media_only": "Vain media",
"community.column_settings.remote_only": "Vain etäkäyttö",
- "compose.language.change": "Change language",
- "compose.language.search": "Search languages...",
+ "compose.language.change": "Vaihda kieli",
+ "compose.language.search": "Hae kieliä...",
"compose_form.direct_message_warning_learn_more": "Lisätietoja",
- "compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
+ "compose_form.encryption_warning": "Mastodonin viestit eivät ole päästä päähän salattuja. Älä jaa arkaluonteisia tietoja Mastodonissa.",
"compose_form.hashtag_warning": "Tätä julkaisua listata minkään hastagin alle, koska se on listaamaton. Ainoastaan julkisia julkaisuja etsiä hastageilla.",
"compose_form.lock_disclaimer": "Tilisi ei ole {locked}. Kuka tahansa voi seurata tiliäsi ja nähdä vain seuraajille rajaamasi julkaisut.",
"compose_form.lock_disclaimer.lock": "lukittu",
@@ -106,7 +108,7 @@
"compose_form.poll.remove_option": "Poista tämä valinta",
"compose_form.poll.switch_to_multiple": "Muuta kysely monivalinnaksi",
"compose_form.poll.switch_to_single": "Muuta kysely sallimaan vain yksi valinta",
- "compose_form.publish": "Publish",
+ "compose_form.publish": "Julkaise",
"compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Tallenna muutokset",
"compose_form.sensitive.hide": "{count, plural, one {Merkitse media arkaluontoiseksi} other {Merkitse media arkaluontoiseksi}}",
@@ -149,7 +151,7 @@
"embed.instructions": "Upota julkaisu verkkosivullesi kopioimalla alla oleva koodi.",
"embed.preview": "Se tulee näyttämään tältä:",
"emoji_button.activity": "Aktiviteetit",
- "emoji_button.clear": "Clear",
+ "emoji_button.clear": "Tyhjennä",
"emoji_button.custom": "Mukautetut",
"emoji_button.flags": "Liput",
"emoji_button.food": "Ruoka ja juoma",
@@ -169,7 +171,7 @@
"empty_column.blocks": "Et ole vielä estänyt yhtään käyttäjää.",
"empty_column.bookmarked_statuses": "Et ole vielä lisännyt viestejä kirjanmerkkeihisi. Kun lisäät yhden, se näkyy tässä.",
"empty_column.community": "Paikallinen aikajana on tyhjä. Kirjoita jotain julkista, niin homma lähtee käyntiin!",
- "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
+ "empty_column.direct": "Sinulla ei ole vielä yksityisviestejä. Kun lähetät tai vastaanotat sellaisen, se näkyy tässä.",
"empty_column.domain_blocks": "Yhtään verkko-osoitetta ei ole vielä estetty.",
"empty_column.explore_statuses": "Mikään ei ole nyt trendi. Tarkista myöhemmin!",
"empty_column.favourited_statuses": "Et ole vielä lisännyt viestejä kirjanmerkkeihisi. Kun lisäät yhden, se näkyy tässä.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Uutiset",
"explore.trending_statuses": "Viestit",
"explore.trending_tags": "Aihetunnisteet",
+ "filter_modal.added.context_mismatch_explanation": "Tämä suodatinluokka ei koske asiayhteyttä, jossa olet käyttänyt tätä viestiä. Jos haluat, että viesti suodatetaan myös tässä yhteydessä, sinun on muokattava suodatinta.",
+ "filter_modal.added.context_mismatch_title": "Asiayhteys ei täsmää!",
+ "filter_modal.added.expired_explanation": "Tämä suodatinluokka on vanhentunut ja sinun on muutettava viimeistä voimassaolon päivää, jotta sitä voidaan käyttää.",
+ "filter_modal.added.expired_title": "Vanhentunut suodatin!",
+ "filter_modal.added.review_and_configure": "Voit tarkastella tätä suodatinluokkaa ja määrittää sen tarkemmin siirtymällä {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Suodattimen asetukset",
+ "filter_modal.added.settings_link": "asetukset sivu",
+ "filter_modal.added.short_explanation": "Tämä viesti on lisätty seuraavaan suodatinluokkaan: {title}.",
+ "filter_modal.added.title": "Suodatin lisätty!",
+ "filter_modal.select_filter.context_mismatch": "ei sovellu tähän asiayhteyteen",
+ "filter_modal.select_filter.expired": "vanhentunut",
+ "filter_modal.select_filter.prompt_new": "Uusi luokka: {name}",
+ "filter_modal.select_filter.search": "Etsi tai luo",
+ "filter_modal.select_filter.subtitle": "Käytä olemassa olevaa luokkaa tai luo uusi luokka",
+ "filter_modal.select_filter.title": "Suodata tämä viesti",
+ "filter_modal.title.status": "Suodata viesti",
"follow_recommendations.done": "Valmis",
"follow_recommendations.heading": "Seuraa ihmisiä, joilta haluaisit nähdä julkaisuja! Tässä on muutamia ehdotuksia.",
"follow_recommendations.lead": "Seuraamiesi julkaisut näkyvät aikajärjestyksessä kotisyötteessä. Älä pelkää seurata vahingossa, voit lopettaa seuraamisen yhtä helposti!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Näin pääset alkuun",
"getting_started.invite": "Kutsu ihmisiä",
"getting_started.open_source_notice": "Mastodon on avoimen lähdekoodin ohjelma. Voit avustaa tai raportoida ongelmia the computer labissa: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Tiliasetukset",
- "getting_started.terms": "Käyttöehdot",
"hashtag.column_header.tag_mode.all": "ja {additional}",
"hashtag.column_header.tag_mode.any": "tai {additional}",
"hashtag.column_header.tag_mode.none": "ilman {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Mikä tahansa näistä",
"hashtag.column_settings.tag_mode.none": "Ei mitään näistä",
"hashtag.column_settings.tag_toggle": "Sisällytä lisätunnisteet tähän sarakkeeseen",
+ "hashtag.follow": "Seuraa hashtagia",
+ "hashtag.unfollow": "Lopeta seuraaminen hashtagilla",
"home.column_settings.basic": "Perusasetukset",
"home.column_settings.show_reblogs": "Näytä buustaukset",
"home.column_settings.show_replies": "Näytä vastaukset",
@@ -234,7 +254,7 @@
"keyboard_shortcuts.column": "Kohdista sarakkeeseen",
"keyboard_shortcuts.compose": "siirry tekstinsyöttöön",
"keyboard_shortcuts.description": "Kuvaus",
- "keyboard_shortcuts.direct": "to open direct messages column",
+ "keyboard_shortcuts.direct": "avaa yksityisviesti sarake",
"keyboard_shortcuts.down": "Siirry listassa alaspäin",
"keyboard_shortcuts.enter": "Avaa julkaisu",
"keyboard_shortcuts.favourite": "Lisää suosikkeihin",
@@ -267,8 +287,8 @@
"lightbox.expand": "Laajenna kuvan näkymälaatikko",
"lightbox.next": "Seuraava",
"lightbox.previous": "Edellinen",
- "limited_account_hint.action": "Show profile anyway",
- "limited_account_hint.title": "This profile has been hidden by the moderators of your server.",
+ "limited_account_hint.action": "Näytä profiili joka tapauksessa",
+ "limited_account_hint.title": "Tämä profiili on piilotettu serverisi valvojien toimesta.",
"lists.account.add": "Lisää listaan",
"lists.account.remove": "Poista listasta",
"lists.delete": "Poista lista",
@@ -295,11 +315,11 @@
"navigation_bar.bookmarks": "Kirjanmerkit",
"navigation_bar.community_timeline": "Paikallinen aikajana",
"navigation_bar.compose": "Luo uusi viesti",
- "navigation_bar.direct": "Direct messages",
+ "navigation_bar.direct": "Yksityisviestit",
"navigation_bar.discover": "Löydä uutta",
"navigation_bar.domain_blocks": "Estetyt verkkotunnukset",
"navigation_bar.edit_profile": "Muokkaa profiilia",
- "navigation_bar.explore": "Explore",
+ "navigation_bar.explore": "Selaa",
"navigation_bar.favourites": "Suosikit",
"navigation_bar.filters": "Mykistetyt sanat",
"navigation_bar.follow_requests": "Seuraamispyynnöt",
@@ -314,7 +334,7 @@
"navigation_bar.preferences": "Asetukset",
"navigation_bar.public_timeline": "Yleinen aikajana",
"navigation_bar.security": "Turvallisuus",
- "notification.admin.report": "{name} reported {target}",
+ "notification.admin.report": "{name} ilmoitti {target}",
"notification.admin.sign_up": "{name} rekisteröitynyt",
"notification.favourite": "{name} tykkäsi viestistäsi",
"notification.follow": "{name} seurasi sinua",
@@ -327,7 +347,7 @@
"notification.update": "{name} muokkasi viestiä",
"notifications.clear": "Tyhjennä ilmoitukset",
"notifications.clear_confirmation": "Haluatko varmasti poistaa kaikki ilmoitukset pysyvästi?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "Uudet raportit:",
"notifications.column_settings.admin.sign_up": "Uudet kirjautumiset:",
"notifications.column_settings.alert": "Työpöytäilmoitukset",
"notifications.column_settings.favourite": "Tykkäykset:",
@@ -374,12 +394,12 @@
"poll_button.remove_poll": "Poista kysely",
"privacy.change": "Muuta julkaisun näkyvyyttä",
"privacy.direct.long": "Julkaise vain mainituille käyttäjille",
- "privacy.direct.short": "Direct",
+ "privacy.direct.short": "Vain mainitut henkilöt",
"privacy.private.long": "Julkaise vain seuraajille",
- "privacy.private.short": "Followers-only",
- "privacy.public.long": "Visible for all",
+ "privacy.private.short": "Vain seuraajat",
+ "privacy.public.long": "Näkyvissä kaikille",
"privacy.public.short": "Julkinen",
- "privacy.unlisted.long": "Visible for all, but opted-out of discovery features",
+ "privacy.unlisted.long": "Näkyvissä kaikille, mutta jättäen pois hakemisen mahdollisuus",
"privacy.unlisted.short": "Listaamaton julkinen",
"refresh": "Päivitä",
"regeneration_indicator.label": "Ladataan…",
@@ -433,11 +453,11 @@
"report.thanks.title_actionable": "Kiitos raportista, tutkimme asiaa.",
"report.unfollow": "Lopeta seuraaminen @{name}",
"report.unfollow_explanation": "Seuraat tätä tiliä. Jotta et enää näkisi heidän kirjoituksiaan, lopeta niiden seuraaminen.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
- "report_notification.categories.spam": "Spam",
- "report_notification.categories.violation": "Rule violation",
- "report_notification.open": "Open report",
+ "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} viestiä}} liitteenä",
+ "report_notification.categories.other": "Muu",
+ "report_notification.categories.spam": "Roskaposti",
+ "report_notification.categories.violation": "Sääntöjen rikkominen",
+ "report_notification.open": "Avaa raportti",
"search.placeholder": "Hae",
"search_popout.search_format": "Tarkennettu haku",
"search_popout.tips.full_text": "Tekstihaku listaa tilapäivitykset, jotka olet kirjoittanut, lisännyt suosikkeihisi, boostannut tai joissa sinut mainitaan, sekä tekstin sisältävät käyttäjänimet, nimimerkit ja hastagit.",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Näille hakusanoille ei löytynyt mitään",
"search_results.statuses": "Viestit",
"search_results.statuses_fts_disabled": "Viestien haku sisällön perusteella ei ole käytössä tällä Mastodon-palvelimella.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {tulos} other {tulokset}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Avaa moderaattorinäkymä tilistä @{name}",
"status.admin_status": "Avaa julkaisu moderointinäkymässä",
"status.block": "Estä @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "Muokattu {count, plural, one {{count} aika} other {{count} kertaa}}",
"status.embed": "Upota",
"status.favourite": "Tykkää",
+ "status.filter": "Suodata tämä viesti",
"status.filtered": "Suodatettu",
- "status.hide": "Hide toot",
+ "status.hide": "Piilota toot",
"status.history.created": "{name} luotu {date}",
"status.history.edited": "{name} muokkasi {date}",
"status.load_more": "Lataa lisää",
@@ -492,15 +517,21 @@
"status.report": "Raportoi @{name}",
"status.sensitive_warning": "Arkaluontoista sisältöä",
"status.share": "Jaa",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Näytä joka tapauksessa",
"status.show_less": "Näytä vähemmän",
"status.show_less_all": "Näytä vähemmän kaikista",
"status.show_more": "Näytä lisää",
"status.show_more_all": "Näytä lisää kaikista",
+ "status.show_original": "Show original",
"status.show_thread": "Näytä ketju",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ei saatavilla",
"status.unmute_conversation": "Poista keskustelun mykistys",
"status.unpin": "Irrota profiilista",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Hylkää ehdotus",
"suggestions.header": "Saatat olla kiinnostunut myös…",
"tabs_bar.federated_timeline": "Yleinen",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seuraajat",
"timeline_hint.resources.follows": "Seuraa",
"timeline_hint.resources.statuses": "Vanhemmat julkaisut",
- "trends.counter_by_accounts": "{count, plural, one {{counter} henkilö} other {{counter} henkilöä}} puhuu",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} henkilö} other {{counter} henkilöä}} viimeinen {days, plural, one {päivä} other {{days} päivää}}",
"trends.trending_now": "Suosittua nyt",
"ui.beforeunload": "Luonnos häviää, jos poistut Mastodonista.",
"units.short.billion": "{count} mrd.",
@@ -529,7 +560,7 @@
"upload_error.poll": "Tiedon lataaminen ei ole sallittua kyselyissä.",
"upload_form.audio_description": "Kuvaile kuulovammaisille",
"upload_form.description": "Anna kuvaus näkörajoitteisia varten",
- "upload_form.description_missing": "No description added",
+ "upload_form.description_missing": "Kuvausta ei ole lisätty",
"upload_form.edit": "Muokkaa",
"upload_form.thumbnail": "Vaihda pikkukuva",
"upload_form.undo": "Peru",
diff --git a/app/javascript/mastodon/locales/fr.json b/app/javascript/mastodon/locales/fr.json
index a8da68bf9..6187ceea2 100644
--- a/app/javascript/mastodon/locales/fr.json
+++ b/app/javascript/mastodon/locales/fr.json
@@ -24,6 +24,7 @@
"account.follows_you": "Vous suit",
"account.hide_reblogs": "Masquer les partages de @{name}",
"account.joined": "Ici depuis {date}",
+ "account.languages": "Changer les langues abonnées",
"account.link_verified_on": "La propriété de ce lien a été vérifiée le {date}",
"account.locked_info": "Ce compte est privé. Son ou sa propriétaire approuve manuellement qui peut le suivre.",
"account.media": "Médias",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oups !",
"announcement.announcement": "Annonce",
"attachments_list.unprocessed": "(non traité)",
+ "audio.hide": "Masquer l'audio",
"autosuggest_hashtag.per_week": "{count} par semaine",
"boost_modal.combo": "Vous pouvez appuyer sur {combo} pour passer ceci la prochaine fois",
"bundle_column_error.body": "Une erreur s’est produite lors du chargement de ce composant.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Actualité",
"explore.trending_statuses": "Messages",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "Cette catégorie de filtre ne s'applique pas au contexte dans lequel vous avez accédé à ce message. Si vous voulez que le message soit filtré dans ce contexte également, vous devrez modifier le filtre.",
+ "filter_modal.added.context_mismatch_title": "Incompatibilité du contexte !",
+ "filter_modal.added.expired_explanation": "Cette catégorie de filtre a expiré, vous devrez modifier la date d'expiration pour qu'elle soit appliquée.",
+ "filter_modal.added.expired_title": "Filtre expiré !",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Terminé",
"follow_recommendations.heading": "Suivez les personnes dont vous aimeriez voir les messages ! Voici quelques suggestions.",
"follow_recommendations.lead": "Les messages des personnes que vous suivez apparaîtront par ordre chronologique sur votre fil d'accueil. Ne craignez pas de faire des erreurs, vous pouvez arrêter de suivre les gens aussi facilement à tout moment !",
@@ -209,8 +227,8 @@
"getting_started.heading": "Pour commencer",
"getting_started.invite": "Inviter des gens",
"getting_started.open_source_notice": "Mastodon est un logiciel libre. Vous pouvez contribuer ou faire des rapports de bogues via {github} sur the computer lab.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Sécurité",
- "getting_started.terms": "Conditions d’utilisation",
"hashtag.column_header.tag_mode.all": "et {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sans {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Au moins un de ces éléments",
"hashtag.column_settings.tag_mode.none": "Aucun de ces éléments",
"hashtag.column_settings.tag_toggle": "Inclure des hashtags additionnels pour cette colonne",
+ "hashtag.follow": "Suivre le hashtag",
+ "hashtag.unfollow": "Ne plus suivre le hashtag",
"home.column_settings.basic": "Basique",
"home.column_settings.show_reblogs": "Afficher les partages",
"home.column_settings.show_replies": "Afficher les réponses",
@@ -433,7 +453,7 @@
"report.thanks.title_actionable": "Merci pour votre signalement, nous allons investiguer.",
"report.unfollow": "Ne plus suivre @{name}",
"report.unfollow_explanation": "Vous suivez ce compte. Désabonnez-vous pour ne plus en voir les messages sur votre fil principal.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
+ "report_notification.attached_statuses": "{count, plural, one {{count} message lié} other {{count} messages liés}}",
"report_notification.categories.other": "Autre",
"report_notification.categories.spam": "Spam",
"report_notification.categories.violation": "Infraction aux règles du serveur",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Aucun résultat avec ces mots-clefs",
"search_results.statuses": "Messages",
"search_results.statuses_fts_disabled": "La recherche de messages par leur contenu n'est pas activée sur ce serveur Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {résultat} other {résultats}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Ouvrir l’interface de modération pour @{name}",
"status.admin_status": "Ouvrir ce message dans l’interface de modération",
"status.block": "Bloquer @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edité {count, plural, one {{count} fois} other {{count} fois}}",
"status.embed": "Intégrer",
"status.favourite": "Ajouter aux favoris",
+ "status.filter": "Filter this post",
"status.filtered": "Filtré",
"status.hide": "Cacher le pouet",
"status.history.created": "créé par {name} {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Tout replier",
"status.show_more": "Déplier",
"status.show_more_all": "Tout déplier",
+ "status.show_original": "Show original",
"status.show_thread": "Montrer le fil",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Indisponible",
"status.unmute_conversation": "Ne plus masquer la conversation",
"status.unpin": "Retirer du profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Rejeter la suggestion",
"suggestions.header": "Vous pourriez être intéressé·e par…",
"tabs_bar.federated_timeline": "Fil public global",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Les abonnés",
"timeline_hint.resources.follows": "Les abonnements",
"timeline_hint.resources.statuses": "Messages plus anciens",
- "trends.counter_by_accounts": "{count, plural, one {{counter} personne en parle} other {{counter} personnes en parlent}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} personne} other {{counter} personnes}} au cours {days, plural, one {des dernières 24h} other {des {days} derniers jours}}",
"trends.trending_now": "Tendance en ce moment",
"ui.beforeunload": "Votre brouillon sera perdu si vous quittez Mastodon.",
"units.short.billion": "{count}Md",
diff --git a/app/javascript/mastodon/locales/fy.json b/app/javascript/mastodon/locales/fy.json
index dd361b995..2973419a9 100644
--- a/app/javascript/mastodon/locales/fy.json
+++ b/app/javascript/mastodon/locales/fy.json
@@ -24,6 +24,7 @@
"account.follows_you": "Folget dy",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Registrearre op {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(net ferwurke)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nijs",
"explore.trending_statuses": "Berjochten",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Klear",
"follow_recommendations.heading": "Folgje minsken wer as jo graach berjochten fan sjen wolle! Hjir binne wat suggestjes.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Utein sette",
"getting_started.invite": "Minsken útnûgje",
"getting_started.open_source_notice": "Mastodon is iepen boarne software. Jo kinne sels bydrage of problemen oanjaan troch GitHub op {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Account ynstellings",
- "getting_started.terms": "Terms of service",
"hashtag.column_header.tag_mode.all": "en {additional}",
"hashtag.column_header.tag_mode.any": "of {additional}",
"hashtag.column_header.tag_mode.none": "sûnder {additional}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Posts",
"search_results.statuses_fts_disabled": "Searching posts by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {{count} kear} other {{count} kearen}} bewurke",
"status.embed": "Ynslute",
"status.favourite": "Favorite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtere",
"status.hide": "Hide toot",
"status.history.created": "{name} makke dit {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Foar alles minder sjen litte",
"status.show_more": "Mear sjen litte",
"status.show_more_all": "Foar alles mear sjen litte",
+ "status.show_original": "Show original",
"status.show_thread": "Petear sjen litte",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Net beskikber",
"status.unmute_conversation": "Petear net mear negearre",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Folgers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Aldere berjochten",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persoan is} other {{counter} persoanen binne}} yn petear",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ga.json b/app/javascript/mastodon/locales/ga.json
index 7f1f82af1..5a44e8d90 100644
--- a/app/javascript/mastodon/locales/ga.json
+++ b/app/javascript/mastodon/locales/ga.json
@@ -24,6 +24,7 @@
"account.follows_you": "Do do leanúint",
"account.hide_reblogs": "Folaigh athphostálacha ó @{name}",
"account.joined": "Ina bhall ó {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Ownership of this link was checked on {date}",
"account.locked_info": "Tá an socrú príobháideachais don cuntas seo curtha go 'faoi ghlas'. Déanann an t-úinéir léirmheas ar cén daoine atá ceadaithe an cuntas leanúint.",
"account.media": "Ábhair",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hiúps!",
"announcement.announcement": "Fógra",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "Is féidir leat brúigh {combo} chun é seo a scipeáil an chéad uair eile",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nuacht",
"explore.trending_statuses": "Postálacha",
"explore.trending_tags": "Haischlibeanna",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Déanta",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Taispeáin treisithe",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Postálacha",
"search_results.statuses_fts_disabled": "Searching posts by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Curtha in eagar {count, plural, one {{count} uair amháin} two {{count} uair} few {{count} uair} many {{count} uair} other {{count} uair}}",
"status.embed": "Embed",
"status.favourite": "Rogha",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Díbhalbhaigh comhrá",
"status.unpin": "Díphionnáil de do phróifíl",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Leantóirí",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older posts",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/gd.json b/app/javascript/mastodon/locales/gd.json
index 9dd0bbf90..a6e261e4f 100644
--- a/app/javascript/mastodon/locales/gd.json
+++ b/app/javascript/mastodon/locales/gd.json
@@ -24,6 +24,7 @@
"account.follows_you": "’Gad leantainn",
"account.hide_reblogs": "Falaich na brosnachaidhean o @{name}",
"account.joined": "Air ballrachd fhaighinn {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Chaidh dearbhadh cò leis a tha an ceangal seo {date}",
"account.locked_info": "Tha prìobhaideachd ghlaiste aig a’ chunntais seo. Nì an sealbhadair lèirmheas a làimh air cò dh’fhaodas leantainn orra.",
"account.media": "Meadhanan",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oich!",
"announcement.announcement": "Brath-fios",
"attachments_list.unprocessed": "(gun phròiseasadh)",
+ "audio.hide": "Falaich an fhuaim",
"autosuggest_hashtag.per_week": "{count} san t-seachdain",
"boost_modal.combo": "Brùth air {combo} nam b’ fheàrr leat leum a ghearradh thar seo an ath-thuras",
"bundle_column_error.body": "Chaidh rudeigin cearr nuair a dh’fheuch sinn ris a’ cho-phàirt seo a luchdadh.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Naidheachdan",
"explore.trending_statuses": "Postaichean",
"explore.trending_tags": "Tagaichean hais",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Deiseil",
"follow_recommendations.heading": "Lean air daoine ma tha thu airson nam postaichean aca fhaicinn! Seo moladh no dà dhut.",
"follow_recommendations.lead": "Nochdaidh na postaichean aig na daoine air a leanas tu a-rèir an ama air inbhir na dachaighe agad. Bi dàna on as urrainn dhut sgur de leantainn air daoine cuideachd uair sam bith!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Toiseach",
"getting_started.invite": "Thoir cuireadh do dhaoine",
"getting_started.open_source_notice": "’S e bathar-bog le bun-tùs fosgailte a th’ ann am Mastodon. ’S urrainn dhut cuideachadh leis no aithris a dhèanamh air duilgheadasan air the computer lab fo {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Roghainnean a’ chunntais",
- "getting_started.terms": "Teirmichean na seirbheise",
"hashtag.column_header.tag_mode.all": "agus {additional}",
"hashtag.column_header.tag_mode.any": "no {additional}",
"hashtag.column_header.tag_mode.none": "às aonais {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Gin sam bith dhiubh",
"hashtag.column_settings.tag_mode.none": "Às aonais gin sam bith dhiubh",
"hashtag.column_settings.tag_toggle": "Gabh a-steach barrachd tagaichean sa cholbh seo",
+ "hashtag.follow": "Lean air an taga hais",
+ "hashtag.unfollow": "Na lean air an taga hais tuilleadh",
"home.column_settings.basic": "Bunasach",
"home.column_settings.show_reblogs": "Seall na brosnachaidhean",
"home.column_settings.show_replies": "Seall na freagairtean",
@@ -314,7 +334,7 @@
"navigation_bar.preferences": "Roghainnean",
"navigation_bar.public_timeline": "Loidhne-ama cho-naisgte",
"navigation_bar.security": "Tèarainteachd",
- "notification.admin.report": "{name} reported {target}",
+ "notification.admin.report": "Rinn {name} mu {target}",
"notification.admin.sign_up": "Chlàraich {name}",
"notification.favourite": "Is annsa le {name} am post agad",
"notification.follow": "Tha {name} a’ leantainn ort a-nis",
@@ -327,7 +347,7 @@
"notification.update": "Dheasaich {name} post",
"notifications.clear": "Falamhaich na brathan",
"notifications.clear_confirmation": "A bheil thu cinnteach gu bheil thu airson na brathan uile agad fhalamhachadh gu buan?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "Gearanan ùra:",
"notifications.column_settings.admin.sign_up": "Clàraidhean ùra:",
"notifications.column_settings.alert": "Brathan deasga",
"notifications.column_settings.favourite": "Na h-annsachdan:",
@@ -385,11 +405,11 @@
"regeneration_indicator.label": "’Ga luchdadh…",
"regeneration_indicator.sublabel": "Tha inbhir na dachaigh agad ’ga ullachadh!",
"relative_time.days": "{number}l",
- "relative_time.full.days": "{count, plural, one {# latha} two {# latha} few {# làithean} other {# latha}} air ais",
- "relative_time.full.hours": "{count, plural, one {# uair a thìde} two {# uair a thìde} few {# uairean a thìde} other {# uair a thìde}} air ais",
+ "relative_time.full.days": "{number, plural, one {# latha} two {# latha} few {# làithean} other {# latha}} air ais",
+ "relative_time.full.hours": "{number, plural, one {# uair a thìde} two {# uair a thìde} few {# uairean a thìde} other {# uair a thìde}} air ais",
"relative_time.full.just_now": "an-dràsta fhèin",
- "relative_time.full.minutes": "{count, plural, one {# mhionaid} two {# mhionaid} few {# mionaidean} other {# mionaid}} air ais",
- "relative_time.full.seconds": "{count, plural, one {# diog} two {# dhiog} few {# diogan} other {# diog}} air ais",
+ "relative_time.full.minutes": "{number, plural, one {# mhionaid} two {# mhionaid} few {# mionaidean} other {# mionaid}} air ais",
+ "relative_time.full.seconds": "{number, plural, one {# diog} two {# dhiog} few {# diogan} other {# diog}} air ais",
"relative_time.hours": "{number}u",
"relative_time.just_now": "an-dràsta",
"relative_time.minutes": "{number}m",
@@ -433,11 +453,11 @@
"report.thanks.title_actionable": "Mòran taing airson a’ ghearain, bheir sinn sùil air.",
"report.unfollow": "Na lean air @{name} tuilleadh",
"report.unfollow_explanation": "Tha thu a’ leantainn air a’ chunntas seo. Sgur de leantainn orra ach nach fhaic thu na puist aca air inbhir na dachaigh agad.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
- "report_notification.categories.spam": "Spam",
- "report_notification.categories.violation": "Rule violation",
- "report_notification.open": "Open report",
+ "report_notification.attached_statuses": "Tha {count, plural, one {{counter} phost} two {{counter} phost} few {{counter} postaichean} other {{counter} post}} ceangailte ris",
+ "report_notification.categories.other": "Eile",
+ "report_notification.categories.spam": "Spama",
+ "report_notification.categories.violation": "Briseadh riaghailte",
+ "report_notification.open": "Fosgail an gearan",
"search.placeholder": "Lorg",
"search_popout.search_format": "Fòrmat adhartach an luirg",
"search_popout.tips.full_text": "Bheir teacsa sìmplidh dhut na postaichean a sgrìobh thu, a tha nan annsachdan dhut, a bhrosnaich thu no san deach iomradh a thoirt ort cho math ri ainmean-cleachdaiche, ainmean taisbeanaidh agus tagaichean hais a mhaidsicheas.",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Cha do lorg sinn dad dha na h-abairtean-luirg seo",
"search_results.statuses": "Postaichean",
"search_results.statuses_fts_disabled": "Chan eil lorg phostaichean a-rèir an susbaint an comas air an fhrithealaiche Mastodon seo.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {toradh} two {thoradh} few {toraidhean} other {toradh}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Fosgail eadar-aghaidh na maorsainneachd dha @{name}",
"status.admin_status": "Fosgail am post seo ann an eadar-aghaidh na maorsainneachd",
"status.block": "Bac @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "Chaidh a dheasachadh {count, plural, one {{counter} turas} two {{counter} thuras} few {{counter} tursan} other {{counter} turas}}",
"status.embed": "Leabaich",
"status.favourite": "Cuir ris na h-annsachdan",
+ "status.filter": "Filter this post",
"status.filtered": "Criathraichte",
- "status.hide": "Hide toot",
+ "status.hide": "Falaich am post",
"status.history.created": "Chruthaich {name} {date} e",
"status.history.edited": "Dheasaich {name} {date} e",
"status.load_more": "Luchdaich barrachd dheth",
@@ -492,15 +517,21 @@
"status.report": "Dèan gearan mu @{name}",
"status.sensitive_warning": "Susbaint fhrionasach",
"status.share": "Co-roinn",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Seall e co-dhiù",
"status.show_less": "Seall nas lugha dheth",
"status.show_less_all": "Seall nas lugha dhen a h-uile",
"status.show_more": "Seall barrachd dheth",
"status.show_more_all": "Seall barrachd dhen a h-uile",
+ "status.show_original": "Show original",
"status.show_thread": "Seall an snàithlean",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Chan eil seo ri fhaighinn",
"status.unmute_conversation": "Dì-mhùch an còmhradh",
"status.unpin": "Dì-phrìnich on phròifil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Leig seachad am moladh",
"suggestions.header": "Dh’fhaoidte gu bheil ùidh agad ann an…",
"tabs_bar.federated_timeline": "Co-naisgte",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Luchd-leantainn",
"timeline_hint.resources.follows": "A’ leantainn air",
"timeline_hint.resources.statuses": "Postaichean nas sine",
- "trends.counter_by_accounts": "{count, plural, one {Tha {counter} neach} two {Tha {counter} neach} few {Tha {counter} daoine} other {Tha {counter} duine}} a’ bruidhinn",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} neach} two {{counter} neach} few {{counter} daoine} other {{counter} duine}} sna {days, plural, one {{days} latha} two {{days} latha} few {{days} làithean} other {{days} latha}} seo chaidh",
"trends.trending_now": "A’ treandadh an-dràsta",
"ui.beforeunload": "Caillidh tu an dreachd agad ma dh’fhàgas tu Mastodon an-dràsta.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/gl.json b/app/javascript/mastodon/locales/gl.json
index 1e97111d0..2df5a98b7 100644
--- a/app/javascript/mastodon/locales/gl.json
+++ b/app/javascript/mastodon/locales/gl.json
@@ -24,6 +24,7 @@
"account.follows_you": "Séguete",
"account.hide_reblogs": "Agochar repeticións de @{name}",
"account.joined": "Uníuse {date}",
+ "account.languages": "Modificar os idiomas subscritos",
"account.link_verified_on": "A propiedade desta ligazón foi verificada o {date}",
"account.locked_info": "Esta é unha conta privada. A propietaria revisa de xeito manual quen pode seguila.",
"account.media": "Multimedia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Vaites!",
"announcement.announcement": "Anuncio",
"attachments_list.unprocessed": "(sen procesar)",
+ "audio.hide": "Agochar audio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Preme {combo} para ignorar isto na seguinte vez",
"bundle_column_error.body": "Ocorreu un erro ó cargar este compoñente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novas",
"explore.trending_statuses": "Publicacións",
"explore.trending_tags": "Cancelos",
+ "filter_modal.added.context_mismatch_explanation": "Esta categoría de filtro non se aplica ao contexto no que accedeches a esta publicación. Se queres que a publicación se filtre nese contexto tamén, terás que editar o filtro.",
+ "filter_modal.added.context_mismatch_title": "Non concorda o contexto!",
+ "filter_modal.added.expired_explanation": "Esta categoría de filtro caducou, terás que cambiar a data de caducidade para que se aplique.",
+ "filter_modal.added.expired_title": "Filtro caducado!",
+ "filter_modal.added.review_and_configure": "Para revisar e despois configurar esta categoría de filtro, vaite a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Axustes do filtro",
+ "filter_modal.added.settings_link": "páxina de axustes",
+ "filter_modal.added.short_explanation": "Engadiuse esta publicación á seguinte categoría de filtro: {title}.",
+ "filter_modal.added.title": "Filtro engadido!",
+ "filter_modal.select_filter.context_mismatch": "non se aplica neste contexto",
+ "filter_modal.select_filter.expired": "caducado",
+ "filter_modal.select_filter.prompt_new": "Nova categoría: {name}",
+ "filter_modal.select_filter.search": "Buscar ou crear",
+ "filter_modal.select_filter.subtitle": "Usar unha categoría existente ou crear unha nova",
+ "filter_modal.select_filter.title": "Filtrar esta publicación",
+ "filter_modal.title.status": "Filtrar unha publicación",
"follow_recommendations.done": "Feito",
"follow_recommendations.heading": "Segue a persoas das que queiras ler publicacións! Aqui tes unhas suxestións.",
"follow_recommendations.lead": "As publicacións das persoas que segues aparecerán na túa cronoloxía de inicio ordenadas temporalmente. Non teñas medo a equivocarte, podes deixar de seguirlas igual de fácil en calquera momento!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primeiros pasos",
"getting_started.invite": "Convidar persoas",
"getting_started.open_source_notice": "Mastodon é software de código aberto. Podes contribuír ou informar de fallos en the computer lab en {github}.",
+ "getting_started.privacy_policy": "Política de Privacidade",
"getting_started.security": "Seguranza",
- "getting_started.terms": "Termos do servizo",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Calquera destes",
"hashtag.column_settings.tag_mode.none": "Ningún destes",
"hashtag.column_settings.tag_toggle": "Incluír cancelos adicionais para esta columna",
+ "hashtag.follow": "Seguir cancelo",
+ "hashtag.unfollow": "Deixar de seguir cancelo",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Amosar compartidos",
"home.column_settings.show_replies": "Amosar respostas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Non atopamos nada con estos termos de busca",
"search_results.statuses": "Publicacións",
"search_results.statuses_fts_disabled": "Procurar publicacións polo seu contido non está activado neste servidor do Mastodon.",
+ "search_results.title": "Resultados para {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Crear conta",
+ "sign_in_banner.sign_in": "Acceder",
+ "sign_in_banner.text": "Inicia sesión para seguir perfís ou etiquetas, marcar como favorito, responder a publicacións ou interactuar con outro servidor desde a túa conta.",
"status.admin_account": "Abrir interface de moderación para @{name}",
"status.admin_status": "Abrir esta publicación na interface de moderación",
"status.block": "Bloquear a @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Editado {count, plural, one {{count} vez} other {{count} veces}}",
"status.embed": "Incrustar",
"status.favourite": "Favorito",
+ "status.filter": "Filtrar esta publicación",
"status.filtered": "Filtrado",
"status.hide": "Agochar publicación",
"status.history.created": "{name} creouno o {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Amosar menos para todos",
"status.show_more": "Amosar máis",
"status.show_more_all": "Amosar máis para todos",
+ "status.show_original": "Mostrar o orixinal",
"status.show_thread": "Amosar fío",
+ "status.translate": "Traducir",
+ "status.translated_from": "Traducido do {lang}",
"status.uncached_media_warning": "Non dispoñíbel",
"status.unmute_conversation": "Deixar de silenciar conversa",
"status.unpin": "Desafixar do perfil",
+ "subscribed_languages.lead": "Ao facer cambios só as publicacións nos idiomas seleccionados aparecerán nas túas cronoloxías. Non elixas ningún para poder ver publicacións en tódolos idiomas.",
+ "subscribed_languages.save": "Gardar cambios",
+ "subscribed_languages.target": "Cambiar a subscrición a idiomas para {target}",
"suggestions.dismiss": "Rexeitar suxestión",
"suggestions.header": "Poderíache interesar…",
"tabs_bar.federated_timeline": "Federada",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidoras",
"timeline_hint.resources.follows": "Seguindo",
"timeline_hint.resources.statuses": "Publicacións antigas",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persoa} other {{counter} persoas}} comentando",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} persoa} other {{counter} persoas}} {days, plural, one {no último día} other {nos {days} últimos días}}",
"trends.trending_now": "Tendencias actuais",
"ui.beforeunload": "O borrador perderase se saes de Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/he.json b/app/javascript/mastodon/locales/he.json
index 5d71113e4..42eacd0a4 100644
--- a/app/javascript/mastodon/locales/he.json
+++ b/app/javascript/mastodon/locales/he.json
@@ -5,7 +5,7 @@
"account.badges.group": "קבוצה",
"account.block": "חסמי את @{name}",
"account.block_domain": "חסמו את קהילת {domain}",
- "account.blocked": "חסום",
+ "account.blocked": "לחסום",
"account.browse_more_on_origin_server": "ראה יותר בפרופיל המקורי",
"account.cancel_follow_request": "בטל בקשת מעקב",
"account.direct": "הודעה ישירה ל@{name}",
@@ -24,6 +24,7 @@
"account.follows_you": "במעקב אחריך",
"account.hide_reblogs": "להסתיר הידהודים מאת @{name}",
"account.joined": "הצטרפו ב{date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "בעלות על הקישור הזה נבדקה לאחרונה ב{date}",
"account.locked_info": "מצב הפרטיות של החשבון הנוכחי הוגדר כנעול. בעל החשבון קובע באופן פרטני מי יכול לעקוב אחריו.",
"account.media": "מדיה",
@@ -38,7 +39,7 @@
"account.requested": "בהמתנה לאישור. לחצי כדי לבטל בקשת מעקב",
"account.share": "שתף את הפרופיל של @{name}",
"account.show_reblogs": "הצג הדהודים מאת @{name}",
- "account.statuses_counter": "{count, plural, one {{counter} Toot} other {{counter} Toots}}",
+ "account.statuses_counter": "{count, plural, one {{counter} פוסט} two {{counter} פוסטים} many {{counter} פוסטים} other {{counter} פוסטים}}",
"account.unblock": "הסר את החסימה של @{name}",
"account.unblock_domain": "הסירי את החסימה של קהילת {domain}",
"account.unblock_short": "הסר חסימה",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "אופס!",
"announcement.announcement": "הכרזה",
"attachments_list.unprocessed": "(לא מעובד)",
+ "audio.hide": "השתק",
"autosuggest_hashtag.per_week": "{count} לשבוע",
"boost_modal.combo": "ניתן להקיש {combo} כדי לדלג בפעם הבאה",
"bundle_column_error.body": "משהו השתבש בעת טעינת הרכיב הזה.",
@@ -77,7 +79,7 @@
"column.follow_requests": "בקשות מעקב",
"column.home": "פיד הבית",
"column.lists": "רשימות",
- "column.mutes": "השתקות",
+ "column.mutes": "משתמשים בהשתקה",
"column.notifications": "התראות",
"column.pins": "פווסטים נעוצים",
"column.public": "פיד כללי (כל השרתים)",
@@ -99,7 +101,7 @@
"compose_form.hashtag_warning": "פוסט זה לא יירשם תחת תגי הקבצה (האשטאגים) היות והנראות שלו היא 'לא רשום'. רק פוסטים ציבוריים יכולים להימצא באמצעות תגי הקבצה.",
"compose_form.lock_disclaimer": "חשבונך אינו {locked}. כל אחד יוכל לעקוב אחריך כדי לקרוא את הודעותיך המיועדות לעוקבים בלבד.",
"compose_form.lock_disclaimer.lock": "נעול",
- "compose_form.placeholder": "מה עובר לך בראש?",
+ "compose_form.placeholder": "על מה את/ה חושב/ת ?",
"compose_form.poll.add_option": "הוסיפו בחירה",
"compose_form.poll.duration": "משך הסקר",
"compose_form.poll.option_placeholder": "אפשרות מספר {number}",
@@ -131,12 +133,12 @@
"confirmations.logout.message": "האם אתם בטוחים שאתם רוצים להתנתק?",
"confirmations.mute.confirm": "להשתיק",
"confirmations.mute.explanation": "זה יסתיר פוסטים שלהם ופוסטים שמאזכרים אותם, אבל עדיין יתיר להם לראות פוסטים שלך ולעקוב אחריך.",
- "confirmations.mute.message": "להשתיק את {name}?",
- "confirmations.redraft.confirm": "מחק וערוך מחדש",
+ "confirmations.mute.message": "בטוח/ה שברצונך להשתיק את {name}?",
+ "confirmations.redraft.confirm": "מחיקה ועריכה מחדש",
"confirmations.redraft.message": "בטוחה שאת רוצה למחוק ולהתחיל טיוטה חדשה? חיבובים והדהודים יאבדו, ותגובות לפוסט המקורי ישארו יתומות.",
- "confirmations.reply.confirm": "הגב",
+ "confirmations.reply.confirm": "תגובה",
"confirmations.reply.message": "תגובה עכשיו תדרוס את ההודעה שכבר התחלתים לכתוב. האם אתם בטוחים שברצונכם להמשיך?",
- "confirmations.unfollow.confirm": "להפסיק מעקב",
+ "confirmations.unfollow.confirm": "הפסקת מעקב",
"confirmations.unfollow.message": "להפסיק מעקב אחרי {name}?",
"conversation.delete": "מחיקת שיחה",
"conversation.mark_as_read": "סמן כנקרא",
@@ -146,17 +148,17 @@
"directory.local": "מ- {domain} בלבד",
"directory.new_arrivals": "חדשים כאן",
"directory.recently_active": "פעילים לאחרונה",
- "embed.instructions": "ניתן להטמיע את ההודעה באתרך ע\"י העתקת הקוד שלהלן.",
+ "embed.instructions": "ניתן להטמיע את הפוסט הזה באתרך ע\"י העתקת הקוד שלהלן.",
"embed.preview": "דוגמא כיצד זה יראה:",
"emoji_button.activity": "פעילות",
"emoji_button.clear": "ניקוי",
- "emoji_button.custom": "מיוחדים",
+ "emoji_button.custom": "בהתאמה אישית",
"emoji_button.flags": "דגלים",
"emoji_button.food": "אוכל ושתיה",
"emoji_button.label": "הוספת אמוג'י",
"emoji_button.nature": "טבע",
- "emoji_button.not_found": "רגישון לא נמצא!! (╯°□°)╯︵ ┻━┻",
- "emoji_button.objects": "חפצים",
+ "emoji_button.not_found": "לא נמצאו סמלונים מתאימים",
+ "emoji_button.objects": "אובייקטים",
"emoji_button.people": "אנשים",
"emoji_button.recent": "בשימוש תדיר",
"emoji_button.search": "חיפוש...",
@@ -167,7 +169,7 @@
"empty_column.account_timeline": "אין עדיין אף פוסט!",
"empty_column.account_unavailable": "פרופיל לא זמין",
"empty_column.blocks": "עדיין לא חסמתם משתמשים אחרים.",
- "empty_column.bookmarked_statuses": "You don't have any bookmarked toots yet. When you bookmark one, it will show up here.",
+ "empty_column.bookmarked_statuses": "אין עדיין פוסטים שחיבבת. כשתחבב את הראשון, הוא יופיע כאן.",
"empty_column.community": "פיד השרת המקומי ריק. יש לפרסם משהו כדי שדברים יתרחילו להתגלגל!",
"empty_column.direct": "אין לך שום הודעות פרטיות עדיין. כשתשלחו או תקבלו אחת, היא תופיע כאן.",
"empty_column.domain_blocks": "אין עדיין קהילות מוסתרות.",
@@ -177,7 +179,7 @@
"empty_column.follow_recommendations": "נראה שלא ניתן לייצר המלצות עבורך. נסה/י להשתמש בחיפוש כדי למצוא אנשים מוכרים או לבדוק את הנושאים החמים.",
"empty_column.follow_requests": "אין לך שום בקשות מעקב עדיין. לכשיתקבלו כאלה, הן תופענה כאן.",
"empty_column.hashtag": "אין כלום בהאשתג הזה עדיין.",
- "empty_column.home": "אף אחד לא במעקב עדיין. אפשר לבקר ב{public} או להשתמש בחיפוש כדי להתחיל ולהכיר חצוצרנים אחרים. {suggestions}",
+ "empty_column.home": "פיד הבית ריק ! אפשר לבקר ב{public} או להשתמש בחיפוש כדי להתחיל ולהכיר משתמשים/ות אחרים/ות. {suggestions}",
"empty_column.home.suggestions": "ראה/י כמה הצעות",
"empty_column.list": "אין עדיין פריטים ברשימה. כאשר חברים ברשימה הזאת יפרסמו פוסטים חדשים, הם יופיעו פה.",
"empty_column.lists": "אין לך שום רשימות עדיין. לכשיהיו, הן תופענה כאן.",
@@ -196,6 +198,22 @@
"explore.trending_links": "חדשות",
"explore.trending_statuses": "פוסטים",
"explore.trending_tags": "האשטאגים",
+ "filter_modal.added.context_mismatch_explanation": "קטגוריית הפילטר הזאת לא חלה על ההקשר שממנו הגעת אל הפוסט הזה. אם תרצה/י שהפוסט יסונן גם בהקשר זה, תצטרך/י לערוך את הפילטר.",
+ "filter_modal.added.context_mismatch_title": "אין התאמה להקשר!",
+ "filter_modal.added.expired_explanation": "פג תוקפה של קטגוריית הסינון הזו, יש צורך לשנות את תאריך התפוגה כדי שהסינון יוחל.",
+ "filter_modal.added.expired_title": "פג תוקף הפילטר!",
+ "filter_modal.added.review_and_configure": "לסקירה והתאמה מתקדמת של קטגוריית הסינון הזו, לכו ל{settings_link}.",
+ "filter_modal.added.review_and_configure_title": "אפשרויות סינון",
+ "filter_modal.added.settings_link": "דף הגדרות",
+ "filter_modal.added.short_explanation": "הפוסט הזה הוסף לקטגוריית הסינון הזו: {title}.",
+ "filter_modal.added.title": "הפילטר הוסף!",
+ "filter_modal.select_filter.context_mismatch": "לא חל בהקשר זה",
+ "filter_modal.select_filter.expired": "פג התוקף",
+ "filter_modal.select_filter.prompt_new": "קטגוריה חדשה {name}",
+ "filter_modal.select_filter.search": "חיפוש או יצירה",
+ "filter_modal.select_filter.subtitle": "שימוש בקטגורייה קיימת או יצירת אחת חדשה",
+ "filter_modal.select_filter.title": "סינון הפוסט הזה",
+ "filter_modal.title.status": "סנן פוסט",
"follow_recommendations.done": "בוצע",
"follow_recommendations.heading": "עקב/י אחרי אנשים שתרצה/י לראות את חצרוציהם! הנה כמה הצעות.",
"follow_recommendations.lead": "חצרוצים מאנשים במעקב יופיעו בסדר כרונולוגי בפיד הבית. אל תחששו מטעויות, אפשר להסיר מעקב באותה הקלות ובכל זמן!",
@@ -209,8 +227,8 @@
"getting_started.heading": "בואו נתחיל",
"getting_started.invite": "להזמין אנשים",
"getting_started.open_source_notice": "מסטודון היא תוכנה חופשית (בקוד פתוח). ניתן לתרום או לדווח על בעיות בגיטהאב: {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "כל אלה",
"hashtag.column_settings.tag_mode.none": "אף אחד מאלה",
"hashtag.column_settings.tag_toggle": "כלול תגיות נוספות בטור זה",
+ "hashtag.follow": "מעקב אחר תגית",
+ "hashtag.unfollow": "ביטול מעקב אחר תגית",
"home.column_settings.basic": "למתחילים",
"home.column_settings.show_reblogs": "הצגת הדהודים",
"home.column_settings.show_replies": "הצגת תגובות",
@@ -236,27 +256,27 @@
"keyboard_shortcuts.description": "תיאור",
"keyboard_shortcuts.direct": "לפתיחת טור הודעות ישירות",
"keyboard_shortcuts.down": "לנוע במורד הרשימה",
- "keyboard_shortcuts.enter": "פתח חצרוץ",
+ "keyboard_shortcuts.enter": "פתח פוסט",
"keyboard_shortcuts.favourite": "לחבב",
"keyboard_shortcuts.favourites": "פתיחת רשימת מועדפים",
"keyboard_shortcuts.federated": "פתיחת ציר זמן בין-קהילתי",
- "keyboard_shortcuts.heading": "Keyboard Shortcuts",
+ "keyboard_shortcuts.heading": "מקשי קיצור במקלדת",
"keyboard_shortcuts.home": "פתיחת ציר זמן אישי",
"keyboard_shortcuts.hotkey": "מקש קיצור",
- "keyboard_shortcuts.legend": "להציג את הפירוש",
+ "keyboard_shortcuts.legend": "הצגת מקרא",
"keyboard_shortcuts.local": "פתיחת ציר זמן קהילתי",
"keyboard_shortcuts.mention": "לאזכר את המחבר(ת)",
"keyboard_shortcuts.muted": "פתיחת רשימת משתמשים מושתקים",
"keyboard_shortcuts.my_profile": "פתיחת הפרופיל שלך",
"keyboard_shortcuts.notifications": "פתיחת טור התראות",
"keyboard_shortcuts.open_media": "פתיחת מדיה",
- "keyboard_shortcuts.pinned": "פתיחת רשימת חצרותים מוצמדים",
+ "keyboard_shortcuts.pinned": "פתיחת פוסטים נעוצים",
"keyboard_shortcuts.profile": "פתח את פרופיל המשתמש",
- "keyboard_shortcuts.reply": "לענות",
+ "keyboard_shortcuts.reply": "תגובה לפוסט",
"keyboard_shortcuts.requests": "פתיחת רשימת בקשות מעקב",
"keyboard_shortcuts.search": "להתמקד בחלון החיפוש",
"keyboard_shortcuts.spoilers": "הצגת/הסתרת שדה אזהרת תוכן (CW)",
- "keyboard_shortcuts.start": "to open \"get started\" column",
+ "keyboard_shortcuts.start": "לפתוח את הטור \"בואו נתחיל\"",
"keyboard_shortcuts.toggle_hidden": "הצגת/הסתרת טקסט מוסתר מאחורי אזהרת תוכן",
"keyboard_shortcuts.toggle_sensitivity": "הצגת/הסתרת מדיה",
"keyboard_shortcuts.toot": "להתחיל פוסט חדש",
@@ -265,7 +285,7 @@
"lightbox.close": "סגירה",
"lightbox.compress": "דחיסת קופסת צפייה בתמונה",
"lightbox.expand": "הרחבת קופסת צפייה בתמונה",
- "lightbox.next": "הלאה",
+ "lightbox.next": "הבא",
"lightbox.previous": "הקודם",
"limited_account_hint.action": "הצג חשבון בכל זאת",
"limited_account_hint.title": "פרופיל זה הוסתר ע\"י מנהלי השרת שלך.",
@@ -284,7 +304,7 @@
"lists.subheading": "הרשימות שלך",
"load_pending": "{count, plural, one {# פריט חדש} other {# פריטים חדשים}}",
"loading_indicator.label": "טוען...",
- "media_gallery.toggle_visible": "נראה\\בלתי נראה",
+ "media_gallery.toggle_visible": "{number, plural, one {להסתיר תמונה} two {Hide images} many {להסתיר תמונות} other {Hide תמונות}}",
"missing_indicator.label": "לא נמצא",
"missing_indicator.sublabel": "לא ניתן היה למצוא את המשאב",
"mute_modal.duration": "משך הזמן",
@@ -308,15 +328,15 @@
"navigation_bar.keyboard_shortcuts": "קיצורי מקלדת",
"navigation_bar.lists": "רשימות",
"navigation_bar.logout": "התנתקות",
- "navigation_bar.mutes": "השתקות",
+ "navigation_bar.mutes": "משתמשים בהשתקה",
"navigation_bar.personal": "אישי",
"navigation_bar.pins": "פוסטים נעוצים",
"navigation_bar.preferences": "העדפות",
- "navigation_bar.public_timeline": "ציר זמן בין-קהילתי",
+ "navigation_bar.public_timeline": "פיד כללי (כל השרתים)",
"navigation_bar.security": "אבטחה",
- "notification.admin.report": "{name} reported {target}",
+ "notification.admin.report": "{name} דיווח.ה על {target}",
"notification.admin.sign_up": "{name} נרשמו",
- "notification.favourite": "חצרוצך חובב על ידי {name}",
+ "notification.favourite": "{name} חיבב/ה את הפוסט שלך",
"notification.follow": "{name} במעקב אחרייך",
"notification.follow_request": "{name} ביקשו לעקוב אחריך",
"notification.mention": "אוזכרת על ידי {name}",
@@ -326,8 +346,8 @@
"notification.status": "{name} הרגע פרסמו",
"notification.update": "{name} ערכו פוסט",
"notifications.clear": "הסרת התראות",
- "notifications.clear_confirmation": "להסיר את כל ההתראות? בטוח?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.clear_confirmation": "להסיר את כל ההתראות לצמיתות ? ",
+ "notifications.column_settings.admin.report": "דו\"חות חדשים",
"notifications.column_settings.admin.sign_up": "הרשמות חדשות:",
"notifications.column_settings.alert": "התראות לשולחן העבודה",
"notifications.column_settings.favourite": "מחובבים:",
@@ -338,11 +358,11 @@
"notifications.column_settings.follow_request": "בקשות מעקב חדשות:",
"notifications.column_settings.mention": "פניות:",
"notifications.column_settings.poll": "תוצאות סקר:",
- "notifications.column_settings.push": "הודעות בדחיפה",
+ "notifications.column_settings.push": "התראות בדחיפה",
"notifications.column_settings.reblog": "הדהודים:",
"notifications.column_settings.show": "הצגה בטור",
"notifications.column_settings.sound": "שמע מופעל",
- "notifications.column_settings.status": "New toots:",
+ "notifications.column_settings.status": "פוסטים חדשים:",
"notifications.column_settings.unread_notifications.category": "התראות שלא נקראו",
"notifications.column_settings.unread_notifications.highlight": "הבלט התראות שלא נקראו",
"notifications.column_settings.update": "שינויים:",
@@ -404,13 +424,13 @@
"report.category.subtitle": "בחר/י את המתאים ביותר",
"report.category.title": "ספר/י לנו מה קורה עם ה-{type} הזה",
"report.category.title_account": "פרופיל",
- "report.category.title_status": "חצרוץ",
+ "report.category.title_status": "פוסט",
"report.close": "בוצע",
"report.comment.title": "האם יש דבר נוסף שלדעתך חשוב שנדע?",
"report.forward": "קדם ל-{target}",
"report.forward_hint": "חשבון זה הוא משרת אחר. האם לשלוח בנוסף עותק אנונימי לשם?",
"report.mute": "להשתיק",
- "report.mute_explanation": "לא ניתן יהיה לראות את חצרוציהם. הם עדיין יוכלו לעקוב אחריך ולראות את חצרוציך ולא ידעו שהם מושתקים.",
+ "report.mute_explanation": "לא ניתן יהיה לראות את הפוסטים. הם עדיין יוכלו לעקוב אחריך ולראות את הפוסטים שלך ולא ידעו שהם מושתקים.",
"report.next": "הבא",
"report.placeholder": "הערות נוספות",
"report.reasons.dislike": "אני לא אוהב את זה",
@@ -424,7 +444,7 @@
"report.rules.subtitle": "בחר/י את כל המתאימים",
"report.rules.title": "אילו חוקים מופרים?",
"report.statuses.subtitle": "בחר/י את כל המתאימים",
- "report.statuses.title": "האם ישנם חצרוצים התומכים בדיווח זה?",
+ "report.statuses.title": "האם ישנם פוסטים התומכים בדיווח זה?",
"report.submit": "שליחה",
"report.target": "דיווח על {target}",
"report.thanks.take_action": "הנה כמה אפשרויות לשליטה בתצוגת מסטודון:",
@@ -433,25 +453,29 @@
"report.thanks.title_actionable": "תודה על הדיווח, נבדוק את העניין.",
"report.unfollow": "הפסיקו לעקוב אחרי @{name}",
"report.unfollow_explanation": "אתם עוקבים אחרי החשבון הזה. כדי להפסיק לראות את הפרסומים שלו בפיד הבית שלכם, הפסיקו לעקוב אחריהם.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
- "report_notification.categories.spam": "Spam",
- "report_notification.categories.violation": "Rule violation",
- "report_notification.open": "Open report",
+ "report_notification.attached_statuses": "{count, plural, one {{count} פוסט} two {{count} posts} many {{count} פוסטים} other {{count} פוסטים}} מצורפים",
+ "report_notification.categories.other": "שונות",
+ "report_notification.categories.spam": "ספאם (דואר זבל)",
+ "report_notification.categories.violation": "הפרת כלל",
+ "report_notification.open": "פתח דו\"ח",
"search.placeholder": "חיפוש",
"search_popout.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.full_text": "טקסט פשוט מחזיר פוסטים שכתבת, חיבבת, הידהדת או שאוזכרת בהם, כמו גם שמות משתמשים, שמות להצגה ותגיות מתאימים.",
"search_popout.tips.hashtag": "האשתג",
- "search_popout.tips.status": "status",
+ "search_popout.tips.status": "פוסט",
"search_popout.tips.text": "טקסט פשוט מחזיר כינויים, שמות משתמש והאשתגים",
"search_popout.tips.user": "משתמש(ת)",
"search_results.accounts": "אנשים",
"search_results.all": "כל התוצאות",
"search_results.hashtags": "האשתגיות",
"search_results.nothing_found": "לא נמצא דבר עבור תנאי חיפוש אלה",
- "search_results.statuses": "Toots",
- "search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.statuses": "פוסטים",
+ "search_results.statuses_fts_disabled": "חיפוש פוסטים לפי תוכן לא מאופשר בשרת מסטודון זה.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {תוצאה} other {תוצאות}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "פתח/י ממשק ניהול עבור @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "חסימת @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "נערך {count, plural, one {פעם {count}} other {{count} פעמים}}",
"status.embed": "הטמעה",
"status.favourite": "חיבוב",
+ "status.filter": "סנן פוסט זה",
"status.filtered": "סונן",
- "status.hide": "Hide toot",
+ "status.hide": "הסתר פוסט",
"status.history.created": "{name} יצר/ה {date}",
"status.history.edited": "{name} ערך/ה {date}",
"status.load_more": "עוד",
@@ -479,12 +504,12 @@
"status.mute_conversation": "השתקת שיחה",
"status.open": "הרחבת פוסט זה",
"status.pin": "הצמדה לפרופיל שלי",
- "status.pinned": "Pinned toot",
+ "status.pinned": "פוסט נעוץ",
"status.read_more": "לקרוא עוד",
"status.reblog": "הדהוד",
"status.reblog_private": "להדהד ברמת הנראות המקורית",
"status.reblogged_by": "{name} הידהד/ה:",
- "status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
+ "status.reblogs.empty": "עוד לא הידהדו את הפוסט הזה. כאשר זה יקרה, ההדהודים יופיעו כאן.",
"status.redraft": "מחיקה ועריכה מחדש",
"status.remove_bookmark": "הסרת סימניה",
"status.reply": "תגובה",
@@ -492,15 +517,21 @@
"status.report": "דיווח על @{name}",
"status.sensitive_warning": "תוכן רגיש",
"status.share": "שיתוף",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "הראה בכל זאת",
"status.show_less": "הראה פחות",
"status.show_less_all": "להציג פחות מהכל",
"status.show_more": "הראה יותר",
"status.show_more_all": "להציג יותר מהכל",
+ "status.show_original": "Show original",
"status.show_thread": "הצג כחלק מפתיל",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "לא זמין",
"status.unmute_conversation": "הסרת השתקת שיחה",
"status.unpin": "לשחרר מקיבוע באודות",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "להתעלם מהצעה",
"suggestions.header": "ייתכן שזה יעניין אותך…",
"tabs_bar.federated_timeline": "פיד כללי (בין-קהילתי)",
@@ -516,8 +547,8 @@
"timeline_hint.remote_resource_not_displayed": "{resource} משרתים אחרים לא מוצגים.",
"timeline_hint.resources.followers": "עוקבים",
"timeline_hint.resources.follows": "נעקבים",
- "timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} אחד/ת מדבר/ת} other {{counter} אנשים מדברים}}",
+ "timeline_hint.resources.statuses": "פוסטים ישנים יותר",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "נושאים חמים",
"ui.beforeunload": "הטיוטא תאבד אם תעזבו את מסטודון.",
"units.short.billion": "{count} מליארד",
diff --git a/app/javascript/mastodon/locales/hi.json b/app/javascript/mastodon/locales/hi.json
index 0ff1fc7a1..31c4b3956 100644
--- a/app/javascript/mastodon/locales/hi.json
+++ b/app/javascript/mastodon/locales/hi.json
@@ -24,6 +24,7 @@
"account.follows_you": "आपको फॉलो करता है",
"account.hide_reblogs": "@{name} के बूस्ट छुपाएं",
"account.joined": "शामिल हुये {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "इस लिंक का स्वामित्व {date} को चेक किया गया था",
"account.locked_info": "यह खाता गोपनीयता स्थिति लॉक करने के लिए सेट है। मालिक मैन्युअल रूप से समीक्षा करता है कि कौन उनको फॉलो कर सकता है।",
"account.media": "मीडिया",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "उफ़!",
"announcement.announcement": "घोषणा",
"attachments_list.unprocessed": "(असंसाधित)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} हर सप्ताह",
"boost_modal.combo": "अगली बार स्किप करने के लिए आप {combo} दबा सकते है",
"bundle_column_error.body": "इस कॉम्पोनेन्ट को लोड करते वक्त कुछ गलत हो गया",
@@ -92,10 +94,10 @@
"community.column_settings.local_only": "स्थानीय ही",
"community.column_settings.media_only": "सिर्फ़ मीडिया",
"community.column_settings.remote_only": "केवल सुदूर",
- "compose.language.change": "Change language",
- "compose.language.search": "Search languages...",
+ "compose.language.change": "भाषा बदलें",
+ "compose.language.search": "भाषाएँ खोजें...",
"compose_form.direct_message_warning_learn_more": "और जानें",
- "compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
+ "compose_form.encryption_warning": "मास्टोडॉन पर पोस्ट एन्ड-टू-एन्ड एन्क्रिप्टेड नहीं है। कोई भी व्यक्तिगत जानकारी मास्टोडॉन पर मत भेजें।",
"compose_form.hashtag_warning": "यह टूट् किसी भी हैशटैग के तहत सूचीबद्ध नहीं होगा क्योंकि यह अनलिस्टेड है। हैशटैग द्वारा केवल सार्वजनिक टूट्स खोजे जा सकते हैं।",
"compose_form.lock_disclaimer": "आपका खाता {locked} नहीं है। आपको केवल फॉलोवर्स को दिखाई दिए जाने वाले पोस्ट देखने के लिए कोई भी फॉलो कर सकता है।",
"compose_form.lock_disclaimer.lock": "लॉक्ड",
@@ -149,7 +151,7 @@
"embed.instructions": "अपने वेबसाइट पर, निचे दिए कोड को कॉपी करके, इस स्टेटस को एम्बेड करें",
"embed.preview": "यह ऐसा दिखेगा :",
"emoji_button.activity": "गतिविधि",
- "emoji_button.clear": "Clear",
+ "emoji_button.clear": "मिटा दें",
"emoji_button.custom": "निजीकृत",
"emoji_button.flags": "झंडे",
"emoji_button.food": "भोजन एवं पेय",
@@ -191,11 +193,27 @@
"errors.unexpected_crash.copy_stacktrace": "स्टैकट्रेस को क्लिपबोर्ड पर कॉपी करें",
"errors.unexpected_crash.report_issue": "समस्या सूचित करें",
"explore.search_results": "Search results",
- "explore.suggested_follows": "For you",
+ "explore.suggested_follows": "आपके लिए",
"explore.title": "Explore",
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "पहले कदम रखें",
"getting_started.invite": "दोस्तों को आमंत्रित करें",
"getting_started.open_source_notice": "मास्टोडॉन एक मुक्त स्रोत सॉफ्टवेयर है. आप गिटहब {github} पर इस सॉफ्टवेयर में योगदान या किसी भी समस्या को सूचित कर सकते है.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "इनमें से कोई भी",
"hashtag.column_settings.tag_mode.none": "इनमें से कोई भी नहीं",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "बुनियादी",
"home.column_settings.show_reblogs": "बूस्ट दिखाए",
"home.column_settings.show_replies": "जवाबों को दिखाए",
@@ -387,17 +407,17 @@
"relative_time.days": "{number}d",
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
- "relative_time.full.just_now": "just now",
- "relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
- "relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
- "relative_time.hours": "{number}h",
+ "relative_time.full.just_now": "अभी-अभी",
+ "relative_time.full.minutes": "{number, plural, one {# मिनट} other {# मिनट}} पहले",
+ "relative_time.full.seconds": "{number, plural, one {# सेकंड} other {# सेकंड}} पहले",
+ "relative_time.hours": "{number} घंटे",
"relative_time.just_now": "अभी",
- "relative_time.minutes": "{number}m",
- "relative_time.seconds": "{number}s",
- "relative_time.today": "today",
+ "relative_time.minutes": "{number} मिनट",
+ "relative_time.seconds": "{number} सेकंड",
+ "relative_time.today": "आज",
"reply_indicator.cancel": "रद्द करें",
"report.block": "Block",
- "report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
+ "report.block_explanation": "आपको उनकी पोस्टें नहीं दिखेंगे। वे आपकी पोस्टें को देख नहीं पाएंगे और आपको फ़ॉलो नहीं कर पाएंगे। उन्हे पता लगेगा कि वे blocked हैं।",
"report.categories.other": "Other",
"report.categories.spam": "Spam",
"report.categories.violation": "Content violates one or more server rules",
@@ -413,9 +433,9 @@
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
"report.next": "Next",
"report.placeholder": "Type or paste additional comments",
- "report.reasons.dislike": "I don't like it",
+ "report.reasons.dislike": "मुझे यह पसंद नहीं है",
"report.reasons.dislike_description": "It is not something you want to see",
- "report.reasons.other": "It's something else",
+ "report.reasons.other": "कुछ और है।",
"report.reasons.other_description": "The issue does not fit into other categories",
"report.reasons.spam": "It's spam",
"report.reasons.spam_description": "Malicious links, fake engagement, or repetitive replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "और दिखाएँ",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "अनुपलब्ध",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "फ़ेडरेटेड",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/hr.json b/app/javascript/mastodon/locales/hr.json
index 1cbbb9721..fb3a0b6aa 100644
--- a/app/javascript/mastodon/locales/hr.json
+++ b/app/javascript/mastodon/locales/hr.json
@@ -24,6 +24,7 @@
"account.follows_you": "Prati te",
"account.hide_reblogs": "Sakrij boostove od @{name}",
"account.joined": "Pridružio se {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Vlasništvo ove poveznice provjereno je {date}",
"account.locked_info": "Status privatnosti ovog računa postavljen je na zaključano. Vlasnik ručno pregledava tko ih može pratiti.",
"account.media": "Medijski sadržaj",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Najava",
"attachments_list.unprocessed": "(neobrađeno)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} tjedno",
"boost_modal.combo": "Možete pritisnuti {combo} kako biste preskočili ovo sljedeći put",
"bundle_column_error.body": "Nešto je pošlo po zlu tijekom učitavanja ove komponente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Učinjeno",
"follow_recommendations.heading": "Zaprati osobe čije objave želiš vidjeti! Evo nekoliko prijedloga.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Počnimo",
"getting_started.invite": "Pozovi ljude",
"getting_started.open_source_notice": "Mastodon je softver otvorenog kôda. Možete pridonijeti ili prijaviti probleme na the computer labu na {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Postavke računa",
- "getting_started.terms": "Uvjeti pružanja usluga",
"hashtag.column_header.tag_mode.all": "i {additional}",
"hashtag.column_header.tag_mode.any": "ili {additional}",
"hashtag.column_header.tag_mode.none": "bez {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Bilo koji navedeni",
"hashtag.column_settings.tag_mode.none": "Nijedan navedeni",
"hashtag.column_settings.tag_toggle": "Uključi dodatne oznake za ovaj stupac",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Osnovno",
"home.column_settings.show_reblogs": "Pokaži boostove",
"home.column_settings.show_replies": "Pokaži odgovore",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Označi favoritom",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Pokaži više",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Prikaži nit",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Nije dostupno",
"status.unmute_conversation": "Poništi utišavanje razgovora",
"status.unpin": "Otkvači s profila",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Odbaci prijedlog",
"suggestions.header": "Možda Vas zanima…",
"tabs_bar.federated_timeline": "Federalno",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Pratitelji",
"timeline_hint.resources.follows": "Praćenja",
"timeline_hint.resources.statuses": "Stariji tootovi",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Popularno",
"ui.beforeunload": "Vaša skica bit će izgubljena ako napustite Mastodon.",
"units.short.billion": "{count} mlrd.",
diff --git a/app/javascript/mastodon/locales/hu.json b/app/javascript/mastodon/locales/hu.json
index f50be9fb9..4b691d2e2 100644
--- a/app/javascript/mastodon/locales/hu.json
+++ b/app/javascript/mastodon/locales/hu.json
@@ -24,6 +24,7 @@
"account.follows_you": "Követ téged",
"account.hide_reblogs": "@{name} megtolásainak elrejtése",
"account.joined": "Csatlakozott {date}",
+ "account.languages": "Feliratkozott nyelvek módosítása",
"account.link_verified_on": "A linket eredetiségét ebben az időpontban ellenőriztük: {date}",
"account.locked_info": "Ennek a fióknak zárolt a láthatósága. A tulajdonos kézzel engedélyezi, hogy ki követheti őt.",
"account.media": "Média",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hoppá!",
"announcement.announcement": "Közlemény",
"attachments_list.unprocessed": "(feldolgozatlan)",
+ "audio.hide": "Hang elrejtése",
"autosuggest_hashtag.per_week": "{count} hetente",
"boost_modal.combo": "Hogy átugord ezt következő alkalommal, használd {combo}",
"bundle_column_error.body": "Valami hiba történt a komponens betöltése közben.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Hírek",
"explore.trending_statuses": "Bejegyzések",
"explore.trending_tags": "Hashtagek",
+ "filter_modal.added.context_mismatch_explanation": "Ez a szűrőkategória nem érvényes abban a környezetben, amelyből elérted ezt a bejegyzést. Ha ebben a környezetben is szűrni szeretnéd a bejegyzést, akkor szerkesztened kell a szűrőt.",
+ "filter_modal.added.context_mismatch_title": "Környezeti eltérés.",
+ "filter_modal.added.expired_explanation": "Ez a szűrőkategória elévült, a használatához módosítanod kell az elévülési dátumot.",
+ "filter_modal.added.expired_title": "Elévült szűrő.",
+ "filter_modal.added.review_and_configure": "A szűrőkategória felülvizsgálatához és további beállításához ugorjon a {settings_link} oldalra.",
+ "filter_modal.added.review_and_configure_title": "Szűrőbeállítások",
+ "filter_modal.added.settings_link": "beállítások oldal",
+ "filter_modal.added.short_explanation": "A következő bejegyzés hozzá lett adva a következő szűrőkategóriához: {title}.",
+ "filter_modal.added.title": "Szűrő hozzáadva.",
+ "filter_modal.select_filter.context_mismatch": "nem érvényes erre a környezetre",
+ "filter_modal.select_filter.expired": "elévült",
+ "filter_modal.select_filter.prompt_new": "Új kategória: {name}",
+ "filter_modal.select_filter.search": "Keresés vagy létrehozás",
+ "filter_modal.select_filter.subtitle": "Válassz egy meglévő kategóriát, vagy hozz létre egy újat",
+ "filter_modal.select_filter.title": "E bejegyzés szűrése",
+ "filter_modal.title.status": "Egy bejegyzés szűrése",
"follow_recommendations.done": "Kész",
"follow_recommendations.heading": "Kövesd azokat, akiknek a bejegyzéseit látni szeretnéd! Itt van néhány javaslat.",
"follow_recommendations.lead": "Az általad követettek bejegyzései a saját idővonaladon fognak megjelenni időrendi sorrendben. Ne félj attól, hogy hibázol! A követést bármikor, ugyanilyen könnyen visszavonhatod!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Első lépések",
"getting_started.invite": "Mások meghívása",
"getting_started.open_source_notice": "A Mastodon nyílt forráskódú szoftver. Közreműködhetsz vagy problémákat jelenthetsz a the computer labon: {github}.",
+ "getting_started.privacy_policy": "Adatvédelmi szabályzat",
"getting_started.security": "Fiókbeállítások",
- "getting_started.terms": "Felhasználási feltételek",
"hashtag.column_header.tag_mode.all": "és {additional}",
"hashtag.column_header.tag_mode.any": "vagy {additional}",
"hashtag.column_header.tag_mode.none": "{additional} nélkül",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Bármelyik",
"hashtag.column_settings.tag_mode.none": "Egyik sem",
"hashtag.column_settings.tag_toggle": "Új címkék felvétele ehhez az oszlophoz",
+ "hashtag.follow": "Hashtag követése",
+ "hashtag.unfollow": "Hashtag követésének megszüntetése",
"home.column_settings.basic": "Alapvető",
"home.column_settings.show_reblogs": "Megtolások mutatása",
"home.column_settings.show_replies": "Válaszok megjelenítése",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Nincs találat ezekre a keresési kifejezésekre",
"search_results.statuses": "Bejegyzések",
"search_results.statuses_fts_disabled": "Ezen a Mastodon szerveren nem engedélyezett a bejegyzések tartalom szerinti keresése.",
+ "search_results.title": "Keresés erre: {q}",
"search_results.total": "{count, number} {count, plural, one {találat} other {találat}}",
+ "sign_in_banner.create_account": "Fiók létrehozása",
+ "sign_in_banner.sign_in": "Bejelentkezés",
+ "sign_in_banner.text": "Jelentkezz be profilok vagy hashtagek követéséhez, bejegyzések megosztásához, megválaszolásához, vagy kommunikálj a fiókodból más szerverekkel.",
"status.admin_account": "Moderációs felület megnyitása @{name} fiókhoz",
"status.admin_status": "Bejegyzés megnyitása a moderációs felületen",
"status.block": "@{name} letiltása",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {{count} alkalommal} other {{count} alkalommal}} szerkesztve",
"status.embed": "Beágyazás",
"status.favourite": "Kedvenc",
+ "status.filter": "E bejegyzés szűrése",
"status.filtered": "Megszűrt",
"status.hide": "Bejegyzés elrejtése",
"status.history.created": "{name} létrehozta: {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Kevesebbet mindenhol",
"status.show_more": "Többet",
"status.show_more_all": "Többet mindenhol",
+ "status.show_original": "Eredeti mutatása",
"status.show_thread": "Szál mutatása",
+ "status.translate": "Fordítás",
+ "status.translated_from": "{lang} nyelvből fordítva",
"status.uncached_media_warning": "Nem érhető el",
"status.unmute_conversation": "Beszélgetés némításának feloldása",
"status.unpin": "Kitűzés eltávolítása a profilodról",
+ "subscribed_languages.lead": "A változtatás után csak a kiválasztott nyelvű bejegyzések fognak megjelenni a kezdőlapon és az idővonalakon. Ha egy sincs kiválasztva, akkor minden nyelven megjelennek a bejegyzések.",
+ "subscribed_languages.save": "Változások mentése",
+ "subscribed_languages.target": "Feliratkozott nyelvek módosítása a következőnél: {target}",
"suggestions.dismiss": "Javaslat elvetése",
"suggestions.header": "Esetleg érdekelhet…",
"tabs_bar.federated_timeline": "Föderációs",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Követő",
"timeline_hint.resources.follows": "Követett",
"timeline_hint.resources.statuses": "Régi bejegyzések",
- "trends.counter_by_accounts": "{count, plural, one {{counter} személy} other {{counter} személy}} beszélget",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} ember} other {{counter} ember}} az elmúlt {days, plural,one {napban} other {{days} napban}}",
"trends.trending_now": "Most felkapott",
"ui.beforeunload": "A piszkozatod el fog veszni, ha elhagyod a Mastodont.",
"units.short.billion": "{count}Mrd",
diff --git a/app/javascript/mastodon/locales/hy.json b/app/javascript/mastodon/locales/hy.json
index 866a6a2cf..524e06d6f 100644
--- a/app/javascript/mastodon/locales/hy.json
+++ b/app/javascript/mastodon/locales/hy.json
@@ -24,6 +24,7 @@
"account.follows_you": "Հետեւում է քեզ",
"account.hide_reblogs": "Թաքցնել @{name}֊ի տարածածները",
"account.joined": "Միացել է {date}-ից",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Սոյն յղման տիրապետումը ստուգուած է՝ {date}֊ին",
"account.locked_info": "Սոյն հաշուի գաղտնիութեան մակարդակը նշուած է որպէս՝ փակ։ Հաշուի տէրն ընտրում է, թէ ով կարող է հետեւել իրեն։",
"account.media": "Մեդիա",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Վա՜յ",
"announcement.announcement": "Յայտարարութիւններ",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "շաբաթը՝ {count}",
"boost_modal.combo": "Կարող ես սեղմել {combo}՝ սա յաջորդ անգամ բաց թողնելու համար",
"bundle_column_error.body": "Այս բաղադրիչը բեռնելու ընթացքում ինչ֊որ բան խափանուեց։",
@@ -196,6 +198,22 @@
"explore.trending_links": "Նորութիւններ",
"explore.trending_statuses": "Գրառումներ",
"explore.trending_tags": "Պիտակներ",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Աւարտուած է",
"follow_recommendations.heading": "Հետեւիր այն մարդկանց, որոնց գրառումները կը ցանկանաս տեսնել։ Ահա մի քանի առաջարկ։",
"follow_recommendations.lead": "Քո հոսքում, ժամանակագրական դասաւորութեամբ կը տեսնես այն մարդկանց գրառումները, որոնց հետեւում ես։ Մի վախեցիր սխալուել, դու միշտ կարող ես հեշտութեամբ ապահետեւել մարդկանց։",
@@ -209,8 +227,8 @@
"getting_started.heading": "Ինչպէս սկսել",
"getting_started.invite": "Հրաւիրել մարդկանց",
"getting_started.open_source_notice": "Մաստոդոնը բաց ելատեքստով ծրագրակազմ է։ Կարող ես ներդրում անել կամ վրէպներ զեկուցել ԳիթՀաբում՝ {github}։",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Ցանկացածը",
"hashtag.column_settings.tag_mode.none": "Ոչ մեկը",
"hashtag.column_settings.tag_toggle": "Ներառել լրացուցիչ պիտակները այս սիւնակում ",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Հիմնական",
"home.column_settings.show_reblogs": "Ցուցադրել տարածածները",
"home.column_settings.show_replies": "Ցուցադրել պատասխանները",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Գրառումներ",
"search_results.statuses_fts_disabled": "Այս հանգոյցում միացուած չէ ըստ բովանդակութեան գրառում փնտրելու հնարաւորութիւնը։",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {արդիւնք} other {արդիւնք}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Բացել @{name} օգտատիրոջ մոդերացիայի դիմերէսը։",
"status.admin_status": "Բացել այս գրառումը մոդերատորի դիմերէսի մէջ",
"status.block": "Արգելափակել @{name}֊ին",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Ներդնել",
"status.favourite": "Հաւանել",
+ "status.filter": "Filter this post",
"status.filtered": "Զտուած",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Թաքցնել բոլոր նախազգուշացնումները",
"status.show_more": "Աւելին",
"status.show_more_all": "Ցուցադրել բոլոր նախազգուշացնումները",
+ "status.show_original": "Show original",
"status.show_thread": "Բացել շղթան",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Անհասանելի",
"status.unmute_conversation": "Ապալռեցնել խօսակցութիւնը",
"status.unpin": "Հանել անձնական էջից",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Անտեսել առաջարկը",
"suggestions.header": "Միգուցէ քեզ հետաքրքրի…",
"tabs_bar.federated_timeline": "Դաշնային",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Հետեւորդ",
"timeline_hint.resources.follows": "Հետեւել",
"timeline_hint.resources.statuses": "Հին գրառումներ",
- "trends.counter_by_accounts": "{count, plural, one {{counter} մարդ} other {{counter} մարդիկ}} խօսում են",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Այժմ արդիական",
"ui.beforeunload": "Քո սեւագիրը կը կորի, եթէ լքես Մաստոդոնը։",
"units.short.billion": "{count}մլրդ",
diff --git a/app/javascript/mastodon/locales/id.json b/app/javascript/mastodon/locales/id.json
index 04fe5213b..60a3d5770 100644
--- a/app/javascript/mastodon/locales/id.json
+++ b/app/javascript/mastodon/locales/id.json
@@ -1,9 +1,9 @@
{
"account.account_note_header": "Catatan",
"account.add_or_remove_from_list": "Tambah atau Hapus dari daftar",
- "account.badges.bot": "Bot",
+ "account.badges.bot": "בוט",
"account.badges.group": "Grup",
- "account.block": "Blokir @{name}",
+ "account.block": "{name}לחסום את ",
"account.block_domain": "Blokir domain {domain}",
"account.blocked": "Terblokir",
"account.browse_more_on_origin_server": "Lihat lebih lanjut diprofil asli",
@@ -24,6 +24,7 @@
"account.follows_you": "Mengikuti anda",
"account.hide_reblogs": "Sembunyikan boosts dari @{name}",
"account.joined": "Bergabung {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Kepemilikan tautan ini telah dicek pada {date}",
"account.locked_info": "Status privasi akun ini disetel untuk dikunci. Pemilik secara manual meninjau siapa yang dapat mengikutinya.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Pengumuman",
"attachments_list.unprocessed": "(tidak diproses)",
+ "audio.hide": "Indonesia",
"autosuggest_hashtag.per_week": "{count} per minggu",
"boost_modal.combo": "Anda dapat menekan {combo} untuk melewati ini",
"bundle_column_error.body": "Kesalahan terjadi saat memuat komponen ini.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Berita",
"explore.trending_statuses": "Postingan",
"explore.trending_tags": "Tagar",
+ "filter_modal.added.context_mismatch_explanation": "Indonesia Translate",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Selesai",
"follow_recommendations.heading": "Ikuti orang yang ingin Anda lihat kirimannya! Ini ada beberapa saran.",
"follow_recommendations.lead": "Kiriman dari orang yang Anda ikuti akan tampil berdasar waktu di beranda Anda. Jangan takut membuat kesalahan, Anda dapat berhenti mengikuti mereka dengan mudah kapan saja!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Mulai",
"getting_started.invite": "Undang orang",
"getting_started.open_source_notice": "Mastodon adalah perangkat lunak yang bersifat terbuka. Anda dapat berkontribusi atau melaporkan permasalahan/bug di Github {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Keamanan",
- "getting_started.terms": "Ketentuan layanan",
"hashtag.column_header.tag_mode.all": "dan {additional}",
"hashtag.column_header.tag_mode.any": "atau {additional}",
"hashtag.column_header.tag_mode.none": "tanpa {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Semua ini",
"hashtag.column_settings.tag_mode.none": "Tak satu pun",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Dasar",
"home.column_settings.show_reblogs": "Tampilkan boost",
"home.column_settings.show_replies": "Tampilkan balasan",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Tidak dapat menemukan apapun untuk istilah-istilah pencarian ini",
"search_results.statuses": "Toot",
"search_results.statuses_fts_disabled": "Pencarian toot berdasarkan konten tidak diaktifkan di server Mastadon ini.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {hasil} other {hasil}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Buka antar muka moderasi untuk @{name}",
"status.admin_status": "Buka status ini dalam antar muka moderasi",
"status.block": "Blokir @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Diedit {count, plural, other {{count} kali}}",
"status.embed": "Tanam",
"status.favourite": "Difavoritkan",
+ "status.filter": "Filter this post",
"status.filtered": "Disaring",
"status.hide": "Hide toot",
"status.history.created": "{name} membuat pada {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Tampilkan lebih sedikit",
"status.show_more": "Tampilkan semua",
"status.show_more_all": "Tampilkan lebih banyak",
+ "status.show_original": "Show original",
"status.show_thread": "Tampilkan utas",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Tak tersedia",
"status.unmute_conversation": "Bunyikan percakapan",
"status.unpin": "Hapus sematan dari profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Hentikan saran",
"suggestions.header": "Anda mungkin tertarik dg…",
"tabs_bar.federated_timeline": "Gabungan",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Pengikut",
"timeline_hint.resources.follows": "Ikuti",
"timeline_hint.resources.statuses": "Toot lama",
- "trends.counter_by_accounts": "{count, plural, other {{counter} orang}} berbicara",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Sedang tren sekarang",
"ui.beforeunload": "Naskah anda akan hilang jika anda keluar dari Mastodon.",
"units.short.billion": "{count}M",
diff --git a/app/javascript/mastodon/locales/io.json b/app/javascript/mastodon/locales/io.json
index 05cab22c3..2b0db742f 100644
--- a/app/javascript/mastodon/locales/io.json
+++ b/app/javascript/mastodon/locales/io.json
@@ -24,6 +24,7 @@
"account.follows_you": "Sequas tu",
"account.hide_reblogs": "Celez busti de @{name}",
"account.joined": "Juntas ye {date}",
+ "account.languages": "Chanjez abonita lingui",
"account.link_verified_on": "Proprieteso di ca ligilo kontrolesis ye {date}",
"account.locked_info": "La privatesostaco di ca konto fixesas quale lokata. Proprietato manue kontrolas personi qui povas sequar.",
"account.media": "Medio",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Problemo!",
"announcement.announcement": "Anunco",
"attachments_list.unprocessed": "(neprocedita)",
+ "audio.hide": "Celez audio",
"autosuggest_hashtag.per_week": "{count} dum singla semano",
"boost_modal.combo": "Tu povas presar sur {combo} por omisar co en la venonta foyo",
"bundle_column_error.body": "Nulo ne functionis dum chargar ca kompozaj.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Niuzi",
"explore.trending_statuses": "Posti",
"explore.trending_tags": "Hashtagi",
+ "filter_modal.added.context_mismatch_explanation": "Ca filtrilgrupo ne relatesas kun informo de ca acesesita posto. Se vu volas posto filtresar kun ca informo anke, vu bezonas modifikar filtrilo.",
+ "filter_modal.added.context_mismatch_title": "Kontenajneparigeso!",
+ "filter_modal.added.expired_explanation": "Ca filtrilgrupo expiris, vu bezonas chanjar expirtempo por apliko.",
+ "filter_modal.added.expired_title": "Expirinta filtrilo!",
+ "filter_modal.added.review_and_configure": "Por kontrolar e plue ajustar ca filtrilgrupo, irez a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filtrilopcioni",
+ "filter_modal.added.settings_link": "opcionpagino",
+ "filter_modal.added.short_explanation": "Ca posto adjuntesas a ca filtrilgrupo: {title}.",
+ "filter_modal.added.title": "Filtrilo adjuntesas!",
+ "filter_modal.select_filter.context_mismatch": "ne relatesas kun ca informo",
+ "filter_modal.select_filter.expired": "expiris",
+ "filter_modal.select_filter.prompt_new": "Nova grupo: {name}",
+ "filter_modal.select_filter.search": "Trovez o kreez",
+ "filter_modal.select_filter.subtitle": "Usez disponebla grupo o kreez novajo",
+ "filter_modal.select_filter.title": "Filtragez ca posto",
+ "filter_modal.title.status": "Filtragez posto",
"follow_recommendations.done": "Fina",
"follow_recommendations.heading": "Sequez personi quo igas posti quon vu volas vidar! Hike esas ula sugestati.",
"follow_recommendations.lead": "Posti de personi quon vu sequas kronologiale montresos en vua hemniuzeto. Ne timas igar erori, vu povas desequar personi tam same facila irgatempe!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Debuto",
"getting_started.invite": "Invitez personi",
"getting_started.open_source_notice": "Mastodon esas programaro kun apertita kodexo. Tu povas kontributar o signalar problemi en the computer lab ye {github}.",
+ "getting_started.privacy_policy": "Privatesguidilo",
"getting_started.security": "Kontoopcioni",
- "getting_started.terms": "Servkondicioni",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Irga co",
"hashtag.column_settings.tag_mode.none": "Nula co",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Sequez hashtago",
+ "hashtag.unfollow": "Desequez hashtago",
"home.column_settings.basic": "Simpla",
"home.column_settings.show_reblogs": "Montrar repeti",
"home.column_settings.show_replies": "Montrar respondi",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Ne povas ganar irgo per ca trovvorti",
"search_results.statuses": "Posti",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Trovez {q}",
"search_results.total": "{count, number} {count, plural, one {rezulto} other {rezulti}}",
+ "sign_in_banner.create_account": "Kreez konto",
+ "sign_in_banner.sign_in": "Enirez",
+ "sign_in_banner.text": "Enirez por sequar profili o hashtagi, favorizar, partigar e respondizar posti, o interagar de vua konto de diferanta servilo.",
"status.admin_account": "Apertez jerintervizajo por @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Restriktez @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Modifikesis {count, plural, one {{count} foyo} other {{count} foyi}}",
"status.embed": "Eninsertez",
"status.favourite": "Favorizar",
+ "status.filter": "Filtragez ca posto",
"status.filtered": "Filtrita",
"status.hide": "Celez posto",
"status.history.created": "{name} kreis ye {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Montrez min por omno",
"status.show_more": "Montrar plue",
"status.show_more_all": "Montrez pluse por omno",
+ "status.show_original": "Montrez originalo",
"status.show_thread": "Montrez postaro",
+ "status.translate": "Tradukez",
+ "status.translated_from": "Tradukesis de {lang}",
"status.uncached_media_warning": "Nedisplonebla",
"status.unmute_conversation": "Desilencigez konverso",
"status.unpin": "Depinglagez de profilo",
+ "subscribed_languages.lead": "Nur posti en selektita lingui aparos en vua hemo e listotempolineo pos chanjo. Selektez nulo por ganar posti en omna lingui.",
+ "subscribed_languages.save": "Sparez chanji",
+ "subscribed_languages.target": "Chanjez abonita lingui por {target}",
"suggestions.dismiss": "Desklozez sugestajo",
"suggestions.header": "Vu forsan havas intereso pri…",
"tabs_bar.federated_timeline": "Federata",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sequanti",
"timeline_hint.resources.follows": "Sequati",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persono} other {{counter} personi}} parolas",
+ "trends.counter_by_accounts": "{count, plural,one {{counter} persono} other {{counter} personi}} en antea {days, plural,one {dio} other {{days} dii}}",
"trends.trending_now": "Tendencigas nun",
"ui.beforeunload": "Vua skisato perdesos se vu ekiras Mastodon.",
"units.short.billion": "{count}G",
diff --git a/app/javascript/mastodon/locales/is.json b/app/javascript/mastodon/locales/is.json
index d4df1f1b6..9731ab96a 100644
--- a/app/javascript/mastodon/locales/is.json
+++ b/app/javascript/mastodon/locales/is.json
@@ -24,6 +24,7 @@
"account.follows_you": "Fylgir þér",
"account.hide_reblogs": "Fela endurbirtingar fyrir @{name}",
"account.joined": "Gerðist þátttakandi {date}",
+ "account.languages": "Breyta tungumálum í áskrift",
"account.link_verified_on": "Eignarhald á þessum tengli var athugað þann {date}",
"account.locked_info": "Staða gagnaleyndar á þessum aðgangi er stillt á læsingu. Eigandinn yfirfer handvirkt hverjir geti fylgst með honum.",
"account.media": "Myndskrár",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Úbbs!",
"announcement.announcement": "Auglýsing",
"attachments_list.unprocessed": "(óunnið)",
+ "audio.hide": "Fela hljóð",
"autosuggest_hashtag.per_week": "{count} á viku",
"boost_modal.combo": "Þú getur ýtt á {combo} til að sleppa þessu næst",
"bundle_column_error.body": "Eitthvað fór úrskeiðis við að hlaða inn þessari einingu.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Fréttir",
"explore.trending_statuses": "Færslur",
"explore.trending_tags": "Myllumerki",
+ "filter_modal.added.context_mismatch_explanation": "Þessi síuflokkur á ekki við í því samhengi sem aðgangur þinn að þessari færslu felur í sér. Ef þú vilt að færslan sé einnig síuð í þessu samhengi, þá þarftu að breyta síunni.",
+ "filter_modal.added.context_mismatch_title": "Misræmi í samhengi!",
+ "filter_modal.added.expired_explanation": "Þessi síuflokkur er útrunninn, þú þarft að breyta gidistímanum svo hann geti átt við.",
+ "filter_modal.added.expired_title": "Útrunnin sía!",
+ "filter_modal.added.review_and_configure": "Til að yfirfara og stilla frekar þennan síuflokk, ættirðu að fara í {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Síustillingar",
+ "filter_modal.added.settings_link": "stillingasíða",
+ "filter_modal.added.short_explanation": "Þessari færslu hefur verið bætt í eftirfarandi síuflokk: {title}.",
+ "filter_modal.added.title": "Síu bætt við!",
+ "filter_modal.select_filter.context_mismatch": "á ekki við í þessu samhengi",
+ "filter_modal.select_filter.expired": "útrunnið",
+ "filter_modal.select_filter.prompt_new": "Nýr flokkur: {name}",
+ "filter_modal.select_filter.search": "Leita eða búa til",
+ "filter_modal.select_filter.subtitle": "Notaðu fyrirliggjandi flokk eða útbúðu nýjan",
+ "filter_modal.select_filter.title": "Sía þessa færslu",
+ "filter_modal.title.status": "Sía færslu",
"follow_recommendations.done": "Lokið",
"follow_recommendations.heading": "Fylgstu með fólki sem þú vilt sjá færslur frá! Hér eru nokkrar tillögur.",
"follow_recommendations.lead": "Færslur frá fólki sem þú fylgist með eru birtar í tímaröð á heimastreyminu þínu. Þú þarft ekki að hræðast mistök, það er jafn auðvelt að hætta að fylgjast með fólki hvenær sem er!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Komast í gang",
"getting_started.invite": "Bjóða fólki",
"getting_started.open_source_notice": "Mastodon er opinn og frjáls hugbúnaður. Þú getur lagt þitt af mörkum eða tilkynnt um vandamál á the computer lab á slóðinni {github}.",
+ "getting_started.privacy_policy": "Persónuverndarstefna",
"getting_started.security": "Stillingar notandaaðgangs",
- "getting_started.terms": "Þjónustuskilmálar",
"hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eða {additional}",
"hashtag.column_header.tag_mode.none": "án {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Hvað sem er af þessu",
"hashtag.column_settings.tag_mode.none": "Ekkert af þessu",
"hashtag.column_settings.tag_toggle": "Taka með viðbótarmerki fyrir þennan dálk",
+ "hashtag.follow": "Fylgjast með myllumerki",
+ "hashtag.unfollow": "Hætta að fylgjast með myllumerki",
"home.column_settings.basic": "Einfalt",
"home.column_settings.show_reblogs": "Sýna endurbirtingar",
"home.column_settings.show_replies": "Birta svör",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Gat ekki fundið neitt sem samsvarar þessum leitarorðum",
"search_results.statuses": "Færslur",
"search_results.statuses_fts_disabled": "Að leita í efni færslna er ekki virkt á þessum Mastodon-þjóni.",
+ "search_results.title": "Leita að {q}",
"search_results.total": "{count, number} {count, plural, one {niðurstaða} other {niðurstöður}}",
+ "sign_in_banner.create_account": "Búa til notandaaðgang",
+ "sign_in_banner.sign_in": "Skrá inn",
+ "sign_in_banner.text": "Skráðu þig inn til að fylgjast með notendum eða myllumerkjum, svara færslum, deila þeim eða setja í eftirlæti, eða eiga í samskiptum á aðgangnum þínum á öðrum netþjónum.",
"status.admin_account": "Opna umsjónarviðmót fyrir @{name}",
"status.admin_status": "Opna þessa færslu í umsjónarviðmótinu",
"status.block": "Útiloka @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Breytt {count, plural, one {{count} sinni} other {{count} sinnum}}",
"status.embed": "Ívefja",
"status.favourite": "Eftirlæti",
+ "status.filter": "Sía þessa færslu",
"status.filtered": "Síað",
"status.hide": "Fela færslu",
"status.history.created": "{name} útbjó {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Sýna minna fyrir allt",
"status.show_more": "Sýna meira",
"status.show_more_all": "Sýna meira fyrir allt",
+ "status.show_original": "Sýna upprunalega",
"status.show_thread": "Birta þráð",
+ "status.translate": "Þýða",
+ "status.translated_from": "Þýtt úr {lang}",
"status.uncached_media_warning": "Ekki tiltækt",
"status.unmute_conversation": "Hætta að þagga niður í samtali",
"status.unpin": "Losa af notandasniði",
+ "subscribed_languages.lead": "Einungis færslur á völdum tungumálum munu birtast á upphafssíðu og tímalínum þínum eftir þessa breytingu. Veldu ekkert til að sjá færslur á öllum tungumálum.",
+ "subscribed_languages.save": "Vista breytingar",
+ "subscribed_languages.target": "Breyta tungumálum í áskrift fyrir {target}",
"suggestions.dismiss": "Hafna tillögu",
"suggestions.header": "Þú gætir haft áhuga á…",
"tabs_bar.federated_timeline": "Sameiginlegt",
@@ -517,8 +548,8 @@
"timeline_hint.resources.followers": "Fylgjendur",
"timeline_hint.resources.follows": "Fylgist með",
"timeline_hint.resources.statuses": "Eldri færslur",
- "trends.counter_by_accounts": "{count, plural, one {{counter} aðili} other {{counter} aðilar}} tala",
- "trends.trending_now": "Í umræðunni núna",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} aðili} other {{counter} manns}} {days, plural, one {síðasta sólarhringinn} other {síðustu {days} daga}}",
+ "trends.trending_now": "Vinsælt núna",
"ui.beforeunload": "Drögin tapast ef þú ferð út úr Mastodon.",
"units.short.billion": "{count}B",
"units.short.million": "{count}M",
diff --git a/app/javascript/mastodon/locales/it.json b/app/javascript/mastodon/locales/it.json
index 2e4755a0d..c3425ddbb 100644
--- a/app/javascript/mastodon/locales/it.json
+++ b/app/javascript/mastodon/locales/it.json
@@ -24,6 +24,7 @@
"account.follows_you": "Ti segue",
"account.hide_reblogs": "Nascondi condivisioni da @{name}",
"account.joined": "Su questa istanza dal {date}",
+ "account.languages": "Cambia le lingue di cui ricevere i post",
"account.link_verified_on": "La proprietà di questo link è stata controllata il {date}",
"account.locked_info": "Questo è un account privato. Il proprietario approva manualmente chi può seguirlo.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Annuncio",
"attachments_list.unprocessed": "(non elaborato)",
+ "audio.hide": "Nascondi audio",
"autosuggest_hashtag.per_week": "{count} per settimana",
"boost_modal.combo": "Puoi premere {combo} per saltare questo passaggio la prossima volta",
"bundle_column_error.body": "E' avvenuto un errore durante il caricamento di questo componente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novità",
"explore.trending_statuses": "Post",
"explore.trending_tags": "Hashtag",
+ "filter_modal.added.context_mismatch_explanation": "La categoria di questo filtro non si applica al contesto in cui hai acceduto a questo post. Se desideri che il post sia filtrato anche in questo contesto, dovrai modificare il filtro.",
+ "filter_modal.added.context_mismatch_title": "Contesto non corrispondente!",
+ "filter_modal.added.expired_explanation": "La categoria di questo filtro è scaduta, dovrai modificarne la data di scadenza per applicarlo.",
+ "filter_modal.added.expired_title": "Filtro scaduto!",
+ "filter_modal.added.review_and_configure": "Per revisionare e configurare ulteriormente la categoria di questo filtro, vai alle {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Impostazioni del filtro",
+ "filter_modal.added.settings_link": "pagina delle impostazioni",
+ "filter_modal.added.short_explanation": "Questo post è stato aggiunto alla categoria del filtro seguente: {title}.",
+ "filter_modal.added.title": "Filtro aggiunto!",
+ "filter_modal.select_filter.context_mismatch": "non si applica a questo contesto",
+ "filter_modal.select_filter.expired": "scaduto",
+ "filter_modal.select_filter.prompt_new": "Nuova categoria: {name}",
+ "filter_modal.select_filter.search": "Cerca o crea",
+ "filter_modal.select_filter.subtitle": "Usa una categoria esistente o creane una nuova",
+ "filter_modal.select_filter.title": "Filtra questo post",
+ "filter_modal.title.status": "Filtra un post",
"follow_recommendations.done": "Fatto",
"follow_recommendations.heading": "Segui le persone da cui vuoi vedere i messaggi! Ecco alcuni suggerimenti.",
"follow_recommendations.lead": "I messaggi da persone che segui verranno visualizzati in ordine cronologico nel tuo home feed. Non abbiate paura di commettere errori, potete smettere di seguire le persone altrettanto facilmente in qualsiasi momento!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Come iniziare",
"getting_started.invite": "Invita qualcuno",
"getting_started.open_source_notice": "Mastodon è un software open source. Puoi contribuire o segnalare errori su the computer lab all'indirizzo {github}.",
+ "getting_started.privacy_policy": "Politica sulla Privacy",
"getting_started.security": "Sicurezza",
- "getting_started.terms": "Condizioni del servizio",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "senza {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Uno o più di questi",
"hashtag.column_settings.tag_mode.none": "Nessuno di questi",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Segui l'hashtag",
+ "hashtag.unfollow": "Cessa di seguire l'hashtag",
"home.column_settings.basic": "Semplice",
"home.column_settings.show_reblogs": "Mostra condivisioni",
"home.column_settings.show_replies": "Mostra risposte",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Impossibile trovare qualcosa per questi termini di ricerca",
"search_results.statuses": "Post",
"search_results.statuses_fts_disabled": "La ricerca di post per il loro contenuto non è abilitata su questo server Mastodon.",
+ "search_results.title": "Ricerca: {q}",
"search_results.total": "{count} {count, plural, one {risultato} other {risultati}}",
+ "sign_in_banner.create_account": "Crea un account",
+ "sign_in_banner.sign_in": "Registrati",
+ "sign_in_banner.text": "Accedi per seguire profili o hashtag, segnare come preferiti, condividere e rispondere ai post o interagire dal tuo account su un server diverso.",
"status.admin_account": "Apri interfaccia di moderazione per @{name}",
"status.admin_status": "Apri questo post nell'interfaccia di moderazione",
"status.block": "Blocca @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Modificato {count, plural, one {{count} volta} other {{count} volte}}",
"status.embed": "Incorpora",
"status.favourite": "Apprezzato",
+ "status.filter": "Filtra questo post",
"status.filtered": "Filtrato",
"status.hide": "Nascondi toot",
"status.history.created": "{name} ha creato {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Mostra meno per tutti",
"status.show_more": "Mostra di più",
"status.show_more_all": "Mostra di più per tutti",
+ "status.show_original": "Mostra originale",
"status.show_thread": "Mostra conversazione",
+ "status.translate": "Traduci",
+ "status.translated_from": "Tradotto da {lang}",
"status.uncached_media_warning": "Non disponibile",
"status.unmute_conversation": "Annulla silenzia conversazione",
"status.unpin": "Non fissare in cima al profilo",
+ "subscribed_languages.lead": "Solo i messaggi nelle lingue selezionate appariranno nella tua home e nelle timeline dopo il cambiamento. Seleziona nessuno per ricevere messaggi in tutte le lingue.",
+ "subscribed_languages.save": "Salva modifiche",
+ "subscribed_languages.target": "Cambia le lingue di cui ricevere i post per {target}",
"suggestions.dismiss": "Elimina suggerimento",
"suggestions.header": "Ti potrebbe interessare…",
"tabs_bar.federated_timeline": "Federazione",
@@ -513,11 +544,11 @@
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minuti}} left",
"time_remaining.moments": "Restano pochi istanti",
"time_remaining.seconds": "{number, plural, one {# secondo} other {# secondi}} left",
- "timeline_hint.remote_resource_not_displayed": "{resource] da altri server non sono mostrati.",
+ "timeline_hint.remote_resource_not_displayed": "{resource} da altri server non sono mostrati.",
"timeline_hint.resources.followers": "Follower",
"timeline_hint.resources.follows": "Segue",
"timeline_hint.resources.statuses": "Post meno recenti",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} persone}} ne parlano",
+ "trends.counter_by_accounts": "{count, plural, one {{count} persona} other {{count} persone}} {days, plural, one {nell'ultimo giorno} other {negli ultimi {days} giorni}}",
"trends.trending_now": "Di tendenza ora",
"ui.beforeunload": "La bozza andrà persa se esci da Mastodon.",
"units.short.billion": "{count}G",
diff --git a/app/javascript/mastodon/locales/ja.json b/app/javascript/mastodon/locales/ja.json
index 3f0719e50..38c125a7d 100644
--- a/app/javascript/mastodon/locales/ja.json
+++ b/app/javascript/mastodon/locales/ja.json
@@ -24,6 +24,7 @@
"account.follows_you": "フォローされています",
"account.hide_reblogs": "@{name}さんからのブーストを非表示",
"account.joined": "{date} に登録",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "このリンクの所有権は{date}に確認されました",
"account.locked_info": "このアカウントは承認制アカウントです。相手が承認するまでフォローは完了しません。",
"account.media": "メディア",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "エラー!",
"announcement.announcement": "お知らせ",
"attachments_list.unprocessed": "(未処理)",
+ "audio.hide": "音声を閉じる",
"autosuggest_hashtag.per_week": "{count} 回 / 週",
"boost_modal.combo": "次からは{combo}を押せばスキップできます",
"bundle_column_error.body": "コンポーネントの読み込み中に問題が発生しました。",
@@ -200,6 +202,22 @@
"explore.trending_links": "ニュース",
"explore.trending_statuses": "投稿",
"explore.trending_tags": "ハッシュタグ",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "フィルターの有効期限が切れています!",
+ "filter_modal.added.review_and_configure": "このフィルターカテゴリーを確認して設定するには、{settings_link}に移動します。",
+ "filter_modal.added.review_and_configure_title": "フィルター設定",
+ "filter_modal.added.settings_link": "設定",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "フィルターを追加しました!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "期限切れ",
+ "filter_modal.select_filter.prompt_new": "新しいカテゴリー: {name}",
+ "filter_modal.select_filter.search": "検索または新規作成",
+ "filter_modal.select_filter.subtitle": "既存のカテゴリーを使用するか新規作成します",
+ "filter_modal.select_filter.title": "この投稿をフィルターする",
+ "filter_modal.title.status": "投稿をフィルターする",
"follow_recommendations.done": "完了",
"follow_recommendations.heading": "投稿を見たい人をフォローしてください!ここにおすすめがあります。",
"follow_recommendations.lead": "あなたがフォローしている人の投稿は、ホームフィードに時系列で表示されます。いつでも簡単に解除できるので、気軽にフォローしてみてください!",
@@ -213,8 +231,8 @@
"getting_started.heading": "スタート",
"getting_started.invite": "招待",
"getting_started.open_source_notice": "Mastodonはオープンソースソフトウェアです。誰でもthe computer lab ( {github} ) から開発に参加したり、問題を報告したりできます。",
+ "getting_started.privacy_policy": "プライバシーポリシー",
"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} を除く)",
@@ -224,6 +242,8 @@
"hashtag.column_settings.tag_mode.any": "いずれかを含む",
"hashtag.column_settings.tag_mode.none": "これらを除く",
"hashtag.column_settings.tag_toggle": "このカラムに追加のタグを含める",
+ "hashtag.follow": "ハッシュタグをフォローする",
+ "hashtag.unfollow": "ハッシュタグのフォローを解除",
"home.column_settings.basic": "基本設定",
"home.column_settings.show_reblogs": "ブースト表示",
"home.column_settings.show_replies": "返信表示",
@@ -288,7 +308,7 @@
"lists.subheading": "あなたのリスト",
"load_pending": "{count}件の新着",
"loading_indicator.label": "読み込み中...",
- "media_gallery.toggle_visible": "メディアを隠す",
+ "media_gallery.toggle_visible": "{number, plural, one {画像を閉じる} other {画像を閉じる}}",
"missing_indicator.label": "見つかりません",
"missing_indicator.sublabel": "見つかりませんでした",
"mute_modal.duration": "ミュートする期間",
@@ -456,7 +476,11 @@
"search_results.nothing_found": "この検索条件では何も見つかりませんでした",
"search_results.statuses": "投稿",
"search_results.statuses_fts_disabled": "このサーバーでは投稿本文の検索は利用できません。",
+ "search_results.title": "『{q}』の検索結果",
"search_results.total": "{count, number}件の結果",
+ "sign_in_banner.create_account": "アカウント作成",
+ "sign_in_banner.sign_in": "ログイン",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "@{name}さんのモデレーション画面を開く",
"status.admin_status": "この投稿をモデレーション画面で開く",
"status.block": "@{name}さんをブロック",
@@ -472,6 +496,7 @@
"status.edited_x_times": "{count}回編集",
"status.embed": "埋め込み",
"status.favourite": "お気に入り",
+ "status.filter": "この投稿をフィルターする",
"status.filtered": "フィルターされました",
"status.hide": "トゥートを非表示",
"status.history.created": "{name}さんが{date}に作成",
@@ -502,10 +527,16 @@
"status.show_less_all": "全て隠す",
"status.show_more": "もっと見る",
"status.show_more_all": "全て見る",
+ "status.show_original": "原文を表示",
"status.show_thread": "スレッドを表示",
+ "status.translate": "翻訳",
+ "status.translated_from": "{lang}からの翻訳",
"status.uncached_media_warning": "利用できません",
"status.unmute_conversation": "会話のミュートを解除",
"status.unpin": "プロフィールへの固定を解除",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "変更を保存",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "隠す",
"suggestions.header": "興味あるかもしれません…",
"tabs_bar.federated_timeline": "連合",
@@ -522,7 +553,7 @@
"timeline_hint.resources.followers": "フォロワー",
"timeline_hint.resources.follows": "フォロー",
"timeline_hint.resources.statuses": "以前の投稿",
- "trends.counter_by_accounts": "{counter}人が投稿",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "トレンドタグ",
"ui.beforeunload": "Mastodonから離れると送信前の投稿は失われます。",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ka.json b/app/javascript/mastodon/locales/ka.json
index 047cdab85..519021235 100644
--- a/app/javascript/mastodon/locales/ka.json
+++ b/app/javascript/mastodon/locales/ka.json
@@ -24,6 +24,7 @@
"account.follows_you": "მოგყვებათ",
"account.hide_reblogs": "დაიმალოს ბუსტები @{name}-სგან",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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": "მედია",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "უპს!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "კვირაში {count}",
"boost_modal.combo": "შეგიძლიათ დააჭიროთ {combo}-ს რათა შემდეგ ჯერზე გამოტოვოთ ეს",
"bundle_column_error.body": "ამ კომპონენტის ჩატვირთვისას რაღაც აირია.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "დაწყება",
"getting_started.invite": "ხალხის მოწვევა",
"getting_started.open_source_notice": "მასტოდონი ღია პროგრამაა. შეგიძლიათ შეუწყოთ ხელი ან შექმნათ პრობემის რეპორტი {github}-ზე.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "უსაფრთხოება",
- "getting_started.terms": "მომსახურების პირობები",
"hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "ძირითადი",
"home.column_settings.show_reblogs": "ბუსტების ჩვენება",
"home.column_settings.show_replies": "პასუხების ჩვენება",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "ტუტები",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "დაბლოკე @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "ჩართვა",
"status.favourite": "ფავორიტი",
+ "status.filter": "Filter this post",
"status.filtered": "ფილტრირებული",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "აჩვენე ნაკლები ყველაზე",
"status.show_more": "აჩვენე მეტი",
"status.show_more_all": "აჩვენე მეტი ყველაზე",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "საუბარზე გაჩუმების მოშორება",
"status.unpin": "პროფილიდან პინის მოშორება",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "ფედერალური",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "თქვენი დრაფტი გაუქმდება თუ დატოვებთ მასტოდონს.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/kab.json b/app/javascript/mastodon/locales/kab.json
index 595ae71d0..13aec3532 100644
--- a/app/javascript/mastodon/locales/kab.json
+++ b/app/javascript/mastodon/locales/kab.json
@@ -19,11 +19,12 @@
"account.followers.empty": "Ar tura, ulac yiwen i yeṭṭafaṛen amseqdac-agi.",
"account.followers_counter": "{count, plural, one {{count} n umeḍfar} other {{count} n imeḍfaren}}",
"account.following": "Following",
- "account.following_counter": "{count, plural, one {{counter} yeṭṭafaren} aḍfar {{counter} wayeḍ}}",
+ "account.following_counter": "{count, plural, one {{counter} yeṭṭafaren} other {{counter} wayeḍ}}",
"account.follows.empty": "Ar tura, amseqdac-agi ur yeṭṭafaṛ yiwen.",
"account.follows_you": "Yeṭṭafaṛ-ik",
"account.hide_reblogs": "Ffer ayen i ibeṭṭu @{name}",
"account.joined": "Yerna-d {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Taɣara n useɣwen-a tettwasenqed ass n {date}",
"account.locked_info": "Amiḍan-agi uslig isekweṛ. D bab-is kan i izemren ad yeǧǧ, s ufus-is, win ara t-iḍefṛen.",
"account.media": "Amidya",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ayhuh!",
"announcement.announcement": "Ulɣu",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} i yimalas",
"boost_modal.combo": "Tzemreḍ ad tetekkiḍ ɣef {combo} akken ad tessurfeḍ aya tikelt-nniḍen",
"bundle_column_error.body": "Tella-d kra n tuccḍa mi d-yettali ugbur-agi.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Tisuffaɣ",
"explore.trending_tags": "Ihacṭagen",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Immed",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Bdu",
"getting_started.invite": "Snebgi-d imdanen",
"getting_started.open_source_notice": "Maṣṭudun d aseɣzan s uɣbalu yeldin. Tzemreḍ ad tɛiwneḍ neɣ ad temmleḍ uguren deg the computer lab {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Iɣewwaṛen n umiḍan",
- "getting_started.terms": "Tiwetlin n useqdec",
"hashtag.column_header.tag_mode.all": "d {additional}",
"hashtag.column_header.tag_mode.any": "neɣ {additional}",
"hashtag.column_header.tag_mode.none": "war {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Yiwen seg-sen",
"hashtag.column_settings.tag_mode.none": "Yiwen ala seg-sen",
"hashtag.column_settings.tag_toggle": "Glu-d s yihacṭagen imerna i ujgu-agi",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Igejdanen",
"home.column_settings.show_reblogs": "Ssken-d beṭṭu",
"home.column_settings.show_replies": "Ssken-d tiririyin",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Tibeṛṛaniyin",
"search_results.statuses_fts_disabled": "Anadi ɣef tjewwiqin s ugbur-nsent ur yermid ara deg uqeddac-agi n Maṣṭudun.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {n ugemmuḍ} other {n yigemmuḍen}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Seḥbes @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Seddu",
"status.favourite": "Rnu ɣer yismenyifen",
+ "status.filter": "Filter this post",
"status.filtered": "Yettwasizdeg",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Semẓi akk tisuffγin",
"status.show_more": "Ssken-d ugar",
"status.show_more_all": "Ẓerr ugar lebda",
+ "status.show_original": "Show original",
"status.show_thread": "Ssken-d lxiḍ",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ulac-it",
"status.unmute_conversation": "Kkes asgugem n udiwenni",
"status.unpin": "Kkes asenteḍ seg umaɣnu",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Sefsex asumer",
"suggestions.header": "Ahat ad tcelgeḍ deg…",
"tabs_bar.federated_timeline": "Amatu",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Imeḍfaṛen",
"timeline_hint.resources.follows": "T·Yeṭafaṛ",
"timeline_hint.resources.statuses": "Tijewwaqin tiqdimin",
- "trends.counter_by_accounts": "{count, plural, one {{counter} amdan} imdanen {{counter} wiyaḍ}} yettmeslayen",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Arewway-ik·im ad iruḥ ma yella tefeɣ-d deg Maṣṭudun.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/kk.json b/app/javascript/mastodon/locales/kk.json
index 24d85e031..66eaa74f9 100644
--- a/app/javascript/mastodon/locales/kk.json
+++ b/app/javascript/mastodon/locales/kk.json
@@ -24,6 +24,7 @@
"account.follows_you": "Сізге жазылыпты",
"account.hide_reblogs": "@{name} атты қолданушының әрекеттерін жасыру",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Сілтеме меншігі расталған күн {date}",
"account.locked_info": "Бұл қолданушы өзі туралы мәліметтерді жасырған. Тек жазылғандар ғана көре алады.",
"account.media": "Медиа",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Өй!",
"announcement.announcement": "Хабарландыру",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} аптасына",
"boost_modal.combo": "Келесіде өткізіп жіберу үшін басыңыз {combo}",
"bundle_column_error.body": "Бұл компонентті жүктеген кезде бір қате пайда болды.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Желіде",
"getting_started.invite": "Адам шақыру",
"getting_started.open_source_notice": "Mastodon - ашық кодты құрылым. Түзету енгізу немесе ұсыныстарды the computer lab арқылы жасаңыз {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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} болмай",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Осылардың біреуін",
"hashtag.column_settings.tag_mode.none": "Бұлардың ешқайсысын",
"hashtag.column_settings.tag_toggle": "Осы бағанға қосымша тегтерді қосыңыз",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Негізгі",
"home.column_settings.show_reblogs": "Бөлісулерді көрсету",
"home.column_settings.show_replies": "Жауаптарды көрсету",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Жазбалар",
"search_results.statuses_fts_disabled": "Mastodon серверінде постты толық мәтінмен іздей алмайсыз.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {нәтиже} other {нәтиже}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "@{name} үшін модерация интерфейсін аш",
"status.admin_status": "Бұл жазбаны модерация интерфейсінде аш",
"status.block": "Бұғаттау @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embеd",
"status.favourite": "Таңдаулы",
+ "status.filter": "Filter this post",
"status.filtered": "Фильтрленген",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Бәрін аздап көрсет",
"status.show_more": "Толығырақ",
"status.show_more_all": "Бәрін толығымен",
+ "status.show_original": "Show original",
"status.show_thread": "Желіні көрсет",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Қолжетімді емес",
"status.unmute_conversation": "Пікірталасты үнсіз қылмау",
"status.unpin": "Профильден алып тастау",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Өткізіп жіберу",
"suggestions.header": "Қызығуыңыз мүмкін…",
"tabs_bar.federated_timeline": "Жаһандық",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Оқырман",
"timeline_hint.resources.follows": "Жазылым",
"timeline_hint.resources.statuses": "Ескі посттары",
- "trends.counter_by_accounts": "{count, plural, one {{counter} адам} other {{counter} адам}} айтып жатыр",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Тренд тақырыптар",
"ui.beforeunload": "Mastodon желісінен шықсаңыз, нобайыңыз сақталмайды.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/kn.json b/app/javascript/mastodon/locales/kn.json
index 6e139f5d4..68f8763b1 100644
--- a/app/javascript/mastodon/locales/kn.json
+++ b/app/javascript/mastodon/locales/kn.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "ಅಯ್ಯೋ!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ko.json b/app/javascript/mastodon/locales/ko.json
index fdd2b54e2..d1de16cdd 100644
--- a/app/javascript/mastodon/locales/ko.json
+++ b/app/javascript/mastodon/locales/ko.json
@@ -24,6 +24,7 @@
"account.follows_you": "날 팔로우합니다",
"account.hide_reblogs": "@{name}의 부스트를 숨기기",
"account.joined": "{date}에 가입함",
+ "account.languages": "구독한 언어 변경",
"account.link_verified_on": "{date}에 이 링크의 소유권이 확인 됨",
"account.locked_info": "이 계정의 프라이버시 설정은 잠금으로 설정되어 있습니다. 계정 소유자가 수동으로 팔로워를 승인합니다.",
"account.media": "미디어",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "앗!",
"announcement.announcement": "공지사항",
"attachments_list.unprocessed": "(처리 안 됨)",
+ "audio.hide": "소리 숨기기",
"autosuggest_hashtag.per_week": "주간 {count}회",
"boost_modal.combo": "다음엔 {combo}를 눌러서 이 과정을 건너뛸 수 있습니다",
"bundle_column_error.body": "컴포넌트를 불러오는 과정에서 문제가 발생했습니다.",
@@ -196,6 +198,22 @@
"explore.trending_links": "소식",
"explore.trending_statuses": "게시물",
"explore.trending_tags": "해시태그",
+ "filter_modal.added.context_mismatch_explanation": "이 필터 카테고리는 당신이 이 게시물에 접근한 문맥에 적용되지 않습니다. 만약 이 문맥에서도 필터되길 원한다면, 필터를 수정해야 합니다.",
+ "filter_modal.added.context_mismatch_title": "문맥 불일치!",
+ "filter_modal.added.expired_explanation": "이 필터 카테고리는 만료되었습니다, 적용하려면 만료 일자를 변경할 필요가 있습니다.",
+ "filter_modal.added.expired_title": "만료된 필터!",
+ "filter_modal.added.review_and_configure": "이 필터 카테고리를 검토하거나 나중에 더 설정하려면, {settings_link}로 가십시오.",
+ "filter_modal.added.review_and_configure_title": "필터 설정",
+ "filter_modal.added.settings_link": "설정 페이지",
+ "filter_modal.added.short_explanation": "이 게시물을 다음 필터 카테고리에 추가되었습니다: {title}.",
+ "filter_modal.added.title": "필터 추가됨!",
+ "filter_modal.select_filter.context_mismatch": "이 문맥에 적용되지 않습니다",
+ "filter_modal.select_filter.expired": "만료됨",
+ "filter_modal.select_filter.prompt_new": "새 카테고리: {name}",
+ "filter_modal.select_filter.search": "검색 또는 생성",
+ "filter_modal.select_filter.subtitle": "기존의 카테고리를 사용하거나 새로 하나를 만듧니다",
+ "filter_modal.select_filter.title": "이 게시물을 필터",
+ "filter_modal.title.status": "게시물 필터",
"follow_recommendations.done": "완료",
"follow_recommendations.heading": "게시물을 받아 볼 사람들을 팔로우 하세요! 여기 몇몇의 추천이 있습니다.",
"follow_recommendations.lead": "당신이 팔로우 하는 사람들의 게시물이 시간순으로 정렬되어 당신의 홈 피드에 표시될 것입니다. 실수를 두려워 하지 마세요, 언제든지 쉽게 팔로우 취소를 할 수 있습니다!",
@@ -209,8 +227,8 @@
"getting_started.heading": "시작",
"getting_started.invite": "초대",
"getting_started.open_source_notice": "Mastodon은 오픈 소스 소프트웨어입니다. 누구나 the computer lab({github})에서 개발에 참여하거나, 문제를 보고할 수 있습니다.",
+ "getting_started.privacy_policy": "개인정보 처리방침",
"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}를 제외하고",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "아무것이든",
"hashtag.column_settings.tag_mode.none": "이것들을 제외하고",
"hashtag.column_settings.tag_toggle": "추가 해시태그를 이 컬럼에 추가합니다",
+ "hashtag.follow": "해시태그 팔로우",
+ "hashtag.unfollow": "해시태그 팔로우 해제",
"home.column_settings.basic": "기본",
"home.column_settings.show_reblogs": "부스트 표시",
"home.column_settings.show_replies": "답글 표시",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "검색어에 대한 결과를 찾을 수 없습니다",
"search_results.statuses": "게시물",
"search_results.statuses_fts_disabled": "이 마스토돈 서버에선 게시물의 내용을 통한 검색이 활성화 되어 있지 않습니다.",
+ "search_results.title": "{q}에 대한 검색",
"search_results.total": "{count, number}건의 결과",
+ "sign_in_banner.create_account": "계정 생성",
+ "sign_in_banner.sign_in": "로그인",
+ "sign_in_banner.text": "로그인을 통해 프로필이나 해시태그를 팔로우하거나 마음에 들어하거나 공유하고 답글을 달 수 있습니다, 혹은 다른 서버에 있는 본인의 계정을 통해 참여할 수도 있습니다.",
"status.admin_account": "@{name}에 대한 중재 화면 열기",
"status.admin_status": "중재 화면에서 이 게시물 열기",
"status.block": "@{name} 차단",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count}번 수정됨",
"status.embed": "공유하기",
"status.favourite": "좋아요",
+ "status.filter": "이 게시물을 필터",
"status.filtered": "필터로 걸러짐",
"status.hide": "툿 숨기기",
"status.history.created": "{name} 님이 {date}에 생성함",
@@ -497,10 +522,16 @@
"status.show_less_all": "모두 접기",
"status.show_more": "더 보기",
"status.show_more_all": "모두 펼치기",
+ "status.show_original": "원본 보기",
"status.show_thread": "글타래 보기",
+ "status.translate": "번역",
+ "status.translated_from": "{lang}에서 번역됨",
"status.uncached_media_warning": "사용할 수 없음",
"status.unmute_conversation": "이 대화의 뮤트 해제하기",
"status.unpin": "고정 해제",
+ "subscribed_languages.lead": "변경 후에는 선택한 언어들로 작성된 게시물들만 홈 타임라인과 리스트 타임라인에 나타나게 됩니다. 아무 것도 선택하지 않으면 모든 언어로 작성된 게시물을 받아봅니다.",
+ "subscribed_languages.save": "변경사항 저장",
+ "subscribed_languages.target": "{target}에 대한 구독 언어 변경",
"suggestions.dismiss": "추천 지우기",
"suggestions.header": "여기에 관심이 있을 것 같습니다…",
"tabs_bar.federated_timeline": "연합",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "팔로워",
"timeline_hint.resources.follows": "팔로우",
"timeline_hint.resources.statuses": "이전 게시물",
- "trends.counter_by_accounts": "{counter} 명이 말하는 중",
+ "trends.counter_by_accounts": "이전 {days}일 동안 {counter} 명의 사용자",
"trends.trending_now": "지금 유행중",
"ui.beforeunload": "지금 나가면 저장되지 않은 항목을 잃게 됩니다.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ku.json b/app/javascript/mastodon/locales/ku.json
index 2bc1e9bea..bdfafa980 100644
--- a/app/javascript/mastodon/locales/ku.json
+++ b/app/javascript/mastodon/locales/ku.json
@@ -17,28 +17,29 @@
"account.follow": "Bişopîne",
"account.followers": "Şopîner",
"account.followers.empty": "Kesekî hin ev bikarhêner neşopandiye.",
- "account.followers_counter": "{count, plural, one {{counter} Follower} other {{counter} Followers}}",
+ "account.followers_counter": "{count, plural, one {{counter} Şopîner} other {{counter} Şopîner}}",
"account.following": "Dişopîne",
"account.following_counter": "{count, plural, one {{counter} Dişopîne} other {{counter} Dişopîne}}",
"account.follows.empty": "Ev bikarhêner hin kesekî heya niha neşopandiye.",
"account.follows_you": "Te dişopîne",
"account.hide_reblogs": "Bilindkirinên ji @{name} veşêre",
- "account.joined": "Tevlîbû di {date} de",
+ "account.joined": "Di {date} de tevlî bû",
+ "account.languages": "Zimanên beşdarbûyî biguherîne",
"account.link_verified_on": "Xwedaniya li vê girêdanê di {date} de hatiye kontrolkirin",
- "account.locked_info": "Rewşa vê ajimêrê wek kilît kirî hatiye saz kirin. Xwedî yê ajimêrê, kesên vê bişopîne bi dest vekolin dike.",
+ "account.locked_info": "Rewşa vê ajimêrê wek kilîtkirî hatiye sazkirin. Xwediyê ajimêrê, bi destan dinirxîne şopandinê dinirxîne.",
"account.media": "Medya",
"account.mention": "Qal @{name} bike",
"account.moved_to": "{name} hate livandin bo:",
- "account.mute": "@{name} Bêdeng bike",
+ "account.mute": "@{name} bêdeng bike",
"account.mute_notifications": "Agahdariyan ji @{name} bêdeng bike",
"account.muted": "Bêdengkirî",
"account.posts": "Şandî",
"account.posts_with_replies": "Şandî û bersiv",
- "account.report": "@{name} Ragihîne",
+ "account.report": "@{name} ragihîne",
"account.requested": "Li benda erêkirinê ye. Ji bo betal kirina daxwazê pêl bikin",
"account.share": "Profîla @{name} parve bike",
"account.show_reblogs": "Bilindkirinên ji @{name} nîşan bike",
- "account.statuses_counter": "{count, plural,one {{counter} şandî}other {{counter} şandî}}",
+ "account.statuses_counter": "{count, plural,one {{counter} Şandî}other {{counter} Şandî}}",
"account.unblock": "Astengê li ser @{name} rake",
"account.unblock_domain": "Astengê li ser navperê {domain} rake",
"account.unblock_short": "Astengiyê rake",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Wey li min!",
"announcement.announcement": "Daxuyanî",
"attachments_list.unprocessed": "(bêpêvajo)",
+ "audio.hide": "Dengê veşêre",
"autosuggest_hashtag.per_week": "Her hefte {count}",
"boost_modal.combo": "Ji bo derbas bî carekî din de pêlê {combo} bike",
"bundle_column_error.body": "Di dema barkirina vê hêmanê de tiştek çewt çê bû.",
@@ -75,12 +77,12 @@
"column.domain_blocks": "Navperên astengkirî",
"column.favourites": "Bijarte",
"column.follow_requests": "Daxwazên şopandinê",
- "column.home": "Serrûpel",
+ "column.home": "Rûpela sereke",
"column.lists": "Rêzok",
"column.mutes": "Bikarhênerên bêdengkirî",
"column.notifications": "Agahdarî",
"column.pins": "Şandiya derzîkirî",
- "column.public": "Demnameyê federalîkirî",
+ "column.public": "Demnameya giştî",
"column_back_button.label": "Vegere",
"column_header.hide_settings": "Sazkariyan veşêre",
"column_header.moveLeft_settings": "Stûnê bilivîne bo çepê",
@@ -167,12 +169,12 @@
"empty_column.account_timeline": "Li vir şandî tune!",
"empty_column.account_unavailable": "Profîl nayê peydakirin",
"empty_column.blocks": "Te tu bikarhêner asteng nekiriye.",
- "empty_column.bookmarked_statuses": "Hîn tu peyamên şûnpelkirî tuneye. Gava ku hûn yek şûnpel bikin, ew ê li vir xûya bike.",
+ "empty_column.bookmarked_statuses": "Hîn tu peyamên te yên şûnpelkirî tune ne. Dema ku tu yekî şûnpel bikî, ew ê li vir xuya bibe.",
"empty_column.community": "Demnameya herêmî vala ye. Tiştek ji raya giştî re binivsînin da ku rûpel biherike!",
- "empty_column.direct": "Hêj peyameke te yê rasterast tuneye. Gava ku tu yekî bişeynî an jî bigirî, ew ê li vir xûya bike.",
+ "empty_column.direct": "Hîn peyamên te yên rasterast tune ne. Dema ku tu yekî bişînî an jî wergirî, ew ê li vir xuya bibe.",
"empty_column.domain_blocks": "Hê jî navperên hatine asteng kirin tune ne.",
"empty_column.explore_statuses": "Tiştek niha di rojevê de tune. Paşê vegere!",
- "empty_column.favourited_statuses": "Hîn tu peyamên te yên bijare tunene. Gava ku te yekî bijart, ew ê li vir xûya bike.",
+ "empty_column.favourited_statuses": "Hîn tu peyamên te yên bijarte tune ne. Dema ku te yekî bijart, ew ê li vir xuya bibe.",
"empty_column.favourites": "Hîn tu kes vê peyamê nebijartiye. Gava ku hin kes bijartin, ew ê li vir xûya bikin.",
"empty_column.follow_recommendations": "Wusa dixuye ku ji bo we tu pêşniyar nehatine çêkirin. Hûn dikarin lêgerînê bikarbînin da ku li kesên ku hûn nas dikin bigerin an hashtagên trendî bigerin.",
"empty_column.follow_requests": "Hê jî daxwaza şopandinê tunne ye. Dema daxwazek hat, yê li vir were nîşan kirin.",
@@ -180,7 +182,7 @@
"empty_column.home": "Demnameya mala we vala ye! Ji bona tijîkirinê bêtir mirovan bişopînin. {suggestions}",
"empty_column.home.suggestions": "Hinek pêşniyaran bibîne",
"empty_column.list": "Di vê rêzokê de hîn tiştek tune ye. Gava ku endamên vê rêzokê peyamên nû biweşînin, ew ê li vir xuya bibin.",
- "empty_column.lists": "Hêj qet rêzokê te tunne ye. Dema yek peyda bû, yê li vir were nîşan kirin.",
+ "empty_column.lists": "Hîn tu rêzokên te tune ne. Dema yekî çê bikî, ew ê li vir xuya bibe.",
"empty_column.mutes": "Te tu bikarhêner bêdeng nekiriye.",
"empty_column.notifications": "Hêj hişyariyên te tunene. Dema ku mirovên din bi we re têkilî danîn, hûn ê wê li vir bibînin.",
"empty_column.public": "Li vir tiştekî tuneye! Ji raya giştî re tiştekî binivîsîne, an ji bo tijîkirinê ji rajekerên din bikarhêneran bi destan bişopînin",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nûçe",
"explore.trending_statuses": "Şandî",
"explore.trending_tags": "Hashtag",
+ "filter_modal.added.context_mismatch_explanation": "Ev beşa parzûnê ji bo naveroka ku te tê de xwe gihandiye vê şandiyê nayê sepandin. Ku tu dixwazî şandî di vê naverokê de jî werê parzûnkirin, divê tu parzûnê biguherînî.",
+ "filter_modal.added.context_mismatch_title": "Naverok li hev nagire!",
+ "filter_modal.added.expired_explanation": "Ev beşa parzûnê qediya ye, ji bo ku tu bikaribe wê biguherîne divê tu dema qedandinê biguherînî.",
+ "filter_modal.added.expired_title": "Dema parzûnê qediya!",
+ "filter_modal.added.review_and_configure": "Ji bo nîrxandin û bêtir sazkirina vê beşa parzûnê, biçe {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Sazkariyên parzûnê",
+ "filter_modal.added.settings_link": "rûpela sazkariyan",
+ "filter_modal.added.short_explanation": "Ev şandî li beşa parzûna jêrîn hate tevlîkirin: {title}.",
+ "filter_modal.added.title": "Parzûn tevlî bû!",
+ "filter_modal.select_filter.context_mismatch": "di vê naverokê de nayê sepandin",
+ "filter_modal.select_filter.expired": "dema wê qediya",
+ "filter_modal.select_filter.prompt_new": "Beşa nû: {name}",
+ "filter_modal.select_filter.search": "Lê bigere an jî biafirîne",
+ "filter_modal.select_filter.subtitle": "Beşeke nû ya heyî bi kar bîne an jî yekî nû biafirîne",
+ "filter_modal.select_filter.title": "Vê şandiyê parzûn bike",
+ "filter_modal.title.status": "Şandiyekê parzûn bike",
"follow_recommendations.done": "Qediya",
"follow_recommendations.heading": "Mirovên ku tu dixwazî ji wan peyaman bibînî bişopîne! Hin pêşnîyar li vir in.",
"follow_recommendations.lead": "Li gorî rêza kronolojîkî peyamên mirovên ku tu dişopînî dê demnameya te de xûya bike. Ji xeletiyan netirse, bi awayekî hêsan her wextî tu dikarî dev ji şopandinê berdî!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Destpêkirin",
"getting_started.invite": "Kesan vexwîne",
"getting_started.open_source_notice": "Mastodon nermalava çavkaniya vekirî ye. Tu dikarî pirsgirêkan li ser GitHub-ê ragihînî di {github} de an jî dikarî tevkariyê bikî.",
+ "getting_started.privacy_policy": "Politîka taybetiyê",
"getting_started.security": "Sazkariyên ajimêr",
- "getting_started.terms": "Mercên karûberan",
"hashtag.column_header.tag_mode.all": "û {additional}",
"hashtag.column_header.tag_mode.any": "an {additional}",
"hashtag.column_header.tag_mode.none": "bêyî {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Yek ji van",
"hashtag.column_settings.tag_mode.none": "Ne yek ji van",
"hashtag.column_settings.tag_toggle": "Ji bo vê stûnê hin pêvekan tevlî bike",
+ "hashtag.follow": "Hashtagê bişopîne",
+ "hashtag.unfollow": "Hashtagê neşopîne",
"home.column_settings.basic": "Bingehîn",
"home.column_settings.show_reblogs": "Bilindkirinan nîşan bike",
"home.column_settings.show_replies": "Bersivan nîşan bide",
@@ -239,10 +259,10 @@
"keyboard_shortcuts.enter": "Şandiyê veke",
"keyboard_shortcuts.favourite": "Şandiya bijarte",
"keyboard_shortcuts.favourites": "Rêzokên bijarte veke",
- "keyboard_shortcuts.federated": "Demnameyê federalîkirî veke",
+ "keyboard_shortcuts.federated": "Demnameya giştî veke",
"keyboard_shortcuts.heading": "Kurterêyên klavyeyê",
"keyboard_shortcuts.home": "Demnameyê veke",
- "keyboard_shortcuts.hotkey": "Bişkoka kurterê",
+ "keyboard_shortcuts.hotkey": "Kurte bişkok",
"keyboard_shortcuts.legend": "Vê çîrokê nîşan bike",
"keyboard_shortcuts.local": "Demnameya herêmî veke",
"keyboard_shortcuts.mention": "Qala nivîskarî/ê bike",
@@ -268,7 +288,7 @@
"lightbox.next": "Pêş",
"lightbox.previous": "Paş",
"limited_account_hint.action": "Bi heman awayî profîlê nîşan bide",
- "limited_account_hint.title": "Ev profîl ji aliyê çavêriya li ser rajekarê te hatiye veşartin.",
+ "limited_account_hint.title": "Ev profîl ji aliyê çavdêriya li ser rajekarê te hatiye veşartin.",
"lists.account.add": "Tevlî rêzokê bike",
"lists.account.remove": "Ji rêzokê rake",
"lists.delete": "Rêzokê jê bibe",
@@ -290,7 +310,7 @@
"mute_modal.duration": "Dem",
"mute_modal.hide_notifications": "Agahdariyan ji ev bikarhêner veşêre?",
"mute_modal.indefinite": "Nediyar",
- "navigation_bar.apps": "Sepana mobîl",
+ "navigation_bar.apps": "Sepana mobayil",
"navigation_bar.blocks": "Bikarhênerên astengkirî",
"navigation_bar.bookmarks": "Şûnpel",
"navigation_bar.community_timeline": "Demnameya herêmî",
@@ -305,14 +325,14 @@
"navigation_bar.follow_requests": "Daxwazên şopandinê",
"navigation_bar.follows_and_followers": "Şopandin û şopîner",
"navigation_bar.info": "Derbarê vî rajekarî",
- "navigation_bar.keyboard_shortcuts": "Bişkoka kurterê",
+ "navigation_bar.keyboard_shortcuts": "Kurte bişkok",
"navigation_bar.lists": "Rêzok",
"navigation_bar.logout": "Derkeve",
"navigation_bar.mutes": "Bikarhênerên bêdengkirî",
"navigation_bar.personal": "Kesanî",
"navigation_bar.pins": "Şandiya derzîkirî",
"navigation_bar.preferences": "Sazkarî",
- "navigation_bar.public_timeline": "Demnameyê federalîkirî",
+ "navigation_bar.public_timeline": "Demnameya giştî",
"navigation_bar.security": "Ewlehî",
"notification.admin.report": "{name} hate ragihandin {target}",
"notification.admin.sign_up": "{name} tomar bû",
@@ -383,7 +403,7 @@
"privacy.unlisted.short": "Nerêzok",
"refresh": "Nû bike",
"regeneration_indicator.label": "Tê barkirin…",
- "regeneration_indicator.sublabel": "Mala te da tê amedekirin!",
+ "regeneration_indicator.sublabel": "Naveroka rûpela sereke ya te tê amedekirin!",
"relative_time.days": "{number}r",
"relative_time.full.days": "{number, plural, one {# roj} other {# roj}} berê",
"relative_time.full.hours": "{number, plural, one {# demjimêr} other {# demjimêr}} berê",
@@ -408,7 +428,7 @@
"report.close": "Qediya",
"report.comment.title": "Tiştek din heye ku tu difikirî ku divê em zanibin?",
"report.forward": "Biçe bo {target}",
- "report.forward_hint": "Ajimêr ji rajekarek din da ne. Tu kopîyeka anonîm ya raporê bişînî li wur?",
+ "report.forward_hint": "Ajimêr ji rajekareke din e. Tu kopîyeka anonîm ya raporê bişînî wir jî?",
"report.mute": "Bêdeng bike",
"report.mute_explanation": "Tê yê şandiyên wan nebînî. Ew hin jî dikarin te bişopînin û şandiyên te bibînin û wê nizanibin ku ew hatine bêdengkirin.",
"report.next": "Pêş",
@@ -433,7 +453,7 @@
"report.thanks.title_actionable": "Spas ji bo ragihandina te, em ê binirxînin.",
"report.unfollow": "@{name} neşopîne",
"report.unfollow_explanation": "Tê vê ajimêrê dişopînî. Ji bo ku êdî şandiyên wan di rojeva xwe de nebînî, wan neşopîne.",
- "report_notification.attached_statuses": "{count, plural,one {{count} şandî} other {{count} şandî }} pêvekirî",
+ "report_notification.attached_statuses": "{count, plural,one {{count} şandî} other {{count} şandî}} pêvekirî",
"report_notification.categories.other": "Ên din",
"report_notification.categories.spam": "Nexwestî (Spam)",
"report_notification.categories.violation": "Binpêkirina rêzîkê",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Ji bo van peyvên lêgerînê tiştek nehate dîtin",
"search_results.statuses": "Şandî",
"search_results.statuses_fts_disabled": "Di vê rajekara Mastodonê da lêgerîna şandîyên li gorî naveroka wan ne çalak e.",
+ "search_results.title": "Li {q} bigere",
"search_results.total": "{count, number} {count, plural, one {encam} other {encam}}",
+ "sign_in_banner.create_account": "Ajimêr biafirîne",
+ "sign_in_banner.sign_in": "Têkeve",
+ "sign_in_banner.text": "Têkeve ji bo şopandina profîlan an hashtagan, bijarte, parvekirin û bersivdana şandiyan, an ji ajimêrê xwe li ser rajekarek cuda têkilî deyine.",
"status.admin_account": "Ji bo @{name} navrûya venihêrtinê veke",
"status.admin_status": "Vê şandîyê di navrûya venihêrtinê de veke",
"status.block": "@{name} asteng bike",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {{count} car} other {{count} car}} hate serrastkirin",
"status.embed": "Hedimandî",
"status.favourite": "Bijarte",
+ "status.filter": "Vê şandiyê parzûn bike",
"status.filtered": "Parzûnkirî",
"status.hide": "Şandiyê veşêre",
"status.history.created": "{name} {date} afirand",
@@ -489,22 +514,28 @@
"status.remove_bookmark": "Şûnpêlê jê rake",
"status.reply": "Bersivê bide",
"status.replyAll": "Mijarê bibersivîne",
- "status.report": "{name} gilî bike",
+ "status.report": "@{name} ragihîne",
"status.sensitive_warning": "Naveroka hestiyarî",
"status.share": "Parve bike",
"status.show_filter_reason": "Bi her awayî nîşan bide",
"status.show_less": "Kêmtir nîşan bide",
"status.show_less_all": "Ji bo hemîyan kêmtir nîşan bide",
- "status.show_more": "Hêj zehftir nîşan bide",
+ "status.show_more": "Bêtir nîşan bide",
"status.show_more_all": "Bêtir nîşan bide bo hemûyan",
+ "status.show_original": "A resen nîşan bide",
"status.show_thread": "Mijarê nîşan bide",
+ "status.translate": "Wergerîne",
+ "status.translated_from": "Ji {lang} hate wergerandin",
"status.uncached_media_warning": "Tune ye",
"status.unmute_conversation": "Axaftinê bêdeng neke",
"status.unpin": "Şandiya derzîkirî ji profîlê rake",
+ "subscribed_languages.lead": "Tenê şandiyên bi zimanên hilbijartî wê di rojev û demnameya te de wê xuya bibe û piştî guhertinê. Ji bo wergirtina şandiyan di hemû zimanan de ne yek hilbijêre.",
+ "subscribed_languages.save": "Guhertinan tomar bike",
+ "subscribed_languages.target": "Zimanên beşdarbûyî biguherîne ji bo {target}",
"suggestions.dismiss": "Pêşniyarê paşguh bike",
"suggestions.header": "Dibe ku bala te bikşîne…",
"tabs_bar.federated_timeline": "Giştî",
- "tabs_bar.home": "Serrûpel",
+ "tabs_bar.home": "Rûpela sereke",
"tabs_bar.local_timeline": "Herêmî",
"tabs_bar.notifications": "Agahdarî",
"tabs_bar.search": "Bigere",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Şopîner",
"timeline_hint.resources.follows": "Dişopîne",
"timeline_hint.resources.statuses": "Şandiyên kevn",
- "trends.counter_by_accounts": "{count, plural, one {{counter} kes} other {{counter} kes}} diaxivin",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} kes} other {{counter} kes}} berî {days, plural, one {roj} other {{days} roj}}",
"trends.trending_now": "Rojev",
"ui.beforeunload": "Ger ji Mastodonê veketi wê reşnivîsa te jî winda bibe.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/kw.json b/app/javascript/mastodon/locales/kw.json
index 41514d9a4..7e6e1b8f4 100644
--- a/app/javascript/mastodon/locales/kw.json
+++ b/app/javascript/mastodon/locales/kw.json
@@ -24,6 +24,7 @@
"account.follows_you": "Y'th hol",
"account.hide_reblogs": "Kudha kenerthow a @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Perghenogeth an kolm ma a veu checkys dhe {date}",
"account.locked_info": "Studh privetter an akont ma yw alhwedhys. An perghen a wra dasweles dre leuv piw a yll aga holya.",
"account.media": "Myski",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oups!",
"announcement.announcement": "Deklaryans",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} an seythen",
"boost_modal.combo": "Hwi a yll gwaska {combo} dhe woheles hemma an nessa tro",
"bundle_column_error.body": "Neppyth eth yn kamm ow karga'n elven ma.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Gwrys",
"follow_recommendations.heading": "Holyewgh tus a vynnowgh gweles postow anedha! Ottomma nebes profyansow.",
"follow_recommendations.lead": "Postow a dus a holyewgh a wra omdhiskwedhes omma yn aray termynel yn agas lin dre. Na borthewgh own a gammwul, hwi a yll p'eurpynag anholya tus mar es poran!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Dhe dhalleth",
"getting_started.invite": "Gelwel tus",
"getting_started.open_source_notice": "Mastodon yw medhelweyth a fenten ygor. Hwi a yll kevri po reportya kudynnow dre the computer lab dhe {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Dewisyow akont",
- "getting_started.terms": "Ambosow an gonis",
"hashtag.column_header.tag_mode.all": "ha(g) {additional}",
"hashtag.column_header.tag_mode.any": "po {additional}",
"hashtag.column_header.tag_mode.none": "heb {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Pynag a'n re ma",
"hashtag.column_settings.tag_mode.none": "Travyth a'n re ma",
"hashtag.column_settings.tag_toggle": "Yssynsi taggys ynwedhek rag an goloven ma",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Selyek",
"home.column_settings.show_reblogs": "Diskwedhes kenerthow",
"home.column_settings.show_replies": "Diskwedhes gorthebow",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Postow",
"search_results.statuses_fts_disabled": "Nyns yw hwilas postow der aga dalgh gweythresys y'n leuren Mastodon ma.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {sewyans} other {sewyans}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Ygeri ynterfas koswa rag @{name}",
"status.admin_status": "Ygeri an post ma y'n ynterfas koswa",
"status.block": "Lettya @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Staga",
"status.favourite": "Merkya vel drudh",
+ "status.filter": "Filter this post",
"status.filtered": "Sidhlys",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Diskwedhes le rag puptra",
"status.show_more": "Diskwedhes moy",
"status.show_more_all": "Diskwedhes moy rag puptra",
+ "status.show_original": "Show original",
"status.show_thread": "Diskwedhes neusen",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ankavadow",
"status.unmute_conversation": "Antawhe kesklapp",
"status.unpin": "Anfastya a brofil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Gordhyllo profyans",
"suggestions.header": "Martesen y fydh dhe les dhywgh…",
"tabs_bar.federated_timeline": "Keffrysys",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Holyoryon",
"timeline_hint.resources.follows": "Holyansow",
"timeline_hint.resources.statuses": "Kottha postow",
- "trends.counter_by_accounts": "{count, plural, one {{counter} den} other {{counter} a dus}} ow kewsel",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Tuedhegus lemmyn",
"ui.beforeunload": "Agas kysnkrif a vydh kellys mar kwrewgh diberth a Mastodon.",
"units.short.billion": "{count}Mek",
diff --git a/app/javascript/mastodon/locales/lt.json b/app/javascript/mastodon/locales/lt.json
index a7994d216..510977d27 100644
--- a/app/javascript/mastodon/locales/lt.json
+++ b/app/javascript/mastodon/locales/lt.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oi!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/lv.json b/app/javascript/mastodon/locales/lv.json
index a91fa9aea..be34219f3 100644
--- a/app/javascript/mastodon/locales/lv.json
+++ b/app/javascript/mastodon/locales/lv.json
@@ -24,6 +24,7 @@
"account.follows_you": "Seko tev",
"account.hide_reblogs": "Paslēpt paceltos ierakstus no lietotāja @{name}",
"account.joined": "Pievienojās {date}",
+ "account.languages": "Mainīt abonētās valodas",
"account.link_verified_on": "Šīs saites piederība ir pārbaudīta {date}",
"account.locked_info": "Šī konta privātuma statuss ir slēgts. Īpašnieks izskatīs, kurš viņam drīkst sekot.",
"account.media": "Multivide",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Paziņojums",
"attachments_list.unprocessed": "(neapstrādāti)",
+ "audio.hide": "Slēpt audio",
"autosuggest_hashtag.per_week": "{count} nedēļā",
"boost_modal.combo": "Nospied {combo} lai izlaistu šo nākamreiz",
"bundle_column_error.body": "Kaut kas nogāja greizi ielādējot šo komponenti.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Jaunumi",
"explore.trending_statuses": "Ziņas",
"explore.trending_tags": "Tēmturi",
+ "filter_modal.added.context_mismatch_explanation": "Šī filtra kategorija neattiecas uz kontekstu, kurā esi piekļuvis šai ziņai. Ja vēlies, lai ziņa tiktu filtrēta arī šajā kontekstā, tev būs jārediģē filtrs.",
+ "filter_modal.added.context_mismatch_title": "Konteksta neatbilstība!",
+ "filter_modal.added.expired_explanation": "Šai filtra kategorijai ir beidzies derīguma termiņš. Lai to lietotu, tev būs jāmaina derīguma termiņš.",
+ "filter_modal.added.expired_title": "Filtrs beidzies!",
+ "filter_modal.added.review_and_configure": "Lai pārskatītu un tālāk konfigurētu šo filtru kategoriju, dodies uz {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filtra iestatījumi",
+ "filter_modal.added.settings_link": "iestatījumu lapa",
+ "filter_modal.added.short_explanation": "Šī ziņa ir pievienota šai filtra kategorijai: {title}.",
+ "filter_modal.added.title": "Filtrs pievienots!",
+ "filter_modal.select_filter.context_mismatch": "neattiecas uz šo kontekstu",
+ "filter_modal.select_filter.expired": "beidzies",
+ "filter_modal.select_filter.prompt_new": "Jauna kategorija: {name}",
+ "filter_modal.select_filter.search": "Meklē vai izveido",
+ "filter_modal.select_filter.subtitle": "Izmanto esošu kategoriju vai izveido jaunu",
+ "filter_modal.select_filter.title": "Filtrēt šo ziņu",
+ "filter_modal.title.status": "Filtrēt ziņu",
"follow_recommendations.done": "Izpildīts",
"follow_recommendations.heading": "Seko cilvēkiem, no kuriem vēlies redzēt ziņas! Šeit ir daži ieteikumi.",
"follow_recommendations.lead": "Ziņas no cilvēkiem, kuriem seko, mājas plūsmā tiks parādītas hronoloģiskā secībā. Nebaidies kļūdīties, tu tikpat viegli vari pārtraukt sekot cilvēkiem jebkurā laikā!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Darba sākšana",
"getting_started.invite": "Uzaicini cilvēkus",
"getting_started.open_source_notice": "Mastodon ir atvērtā koda programmatūra. Tu vari dot savu ieguldījumu vai arī ziņot par problēmām {github}.",
+ "getting_started.privacy_policy": "Privātuma Politika",
"getting_started.security": "Konta iestatījumi",
- "getting_started.terms": "Pakalpojuma noteikumi",
"hashtag.column_header.tag_mode.all": "un {additional}",
"hashtag.column_header.tag_mode.any": "vai {additional}",
"hashtag.column_header.tag_mode.none": "bez {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Kāds no šiem",
"hashtag.column_settings.tag_mode.none": "Neviens no šiem",
"hashtag.column_settings.tag_toggle": "Iekļaut šai kolonnai papildu tagus",
+ "hashtag.follow": "Seko mirkļbirkai",
+ "hashtag.unfollow": "Pārstāj sekot mirkļbirkai",
"home.column_settings.basic": "Pamata",
"home.column_settings.show_reblogs": "Rādīt palielinājumus",
"home.column_settings.show_replies": "Rādīt atbildes",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Nevarēja atrast neko šiem meklēšanas vienumiem",
"search_results.statuses": "Ziņas",
"search_results.statuses_fts_disabled": "Šajā Mastodon serverī nav iespējota ziņu meklēšana pēc to satura.",
+ "search_results.title": "Meklēt {q}",
"search_results.total": "{count, number} {count, plural, one {rezultāts} other {rezultāti}}",
+ "sign_in_banner.create_account": "Izveidot kontu",
+ "sign_in_banner.sign_in": "Pierakstīties",
+ "sign_in_banner.text": "Pieraksties, lai sekotu profiliem vai atsaucēm, pievienotu izlasei, kopīgotu ziņas un atbildētu uz tām vai mijiedarbotos no sava konta citā serverī.",
"status.admin_account": "Atvērt @{name} moderēšanas saskarni",
"status.admin_status": "Atvērt šo ziņu moderācijas saskarnē",
"status.block": "Bloķēt @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Rediģēts {count, plural, one {{count} reize} other {{count} reizes}}",
"status.embed": "Iestrādāt",
"status.favourite": "Iecienītā",
+ "status.filter": "Filtrē šo ziņu",
"status.filtered": "Filtrēts",
"status.hide": "Slēpt",
"status.history.created": "{name} izveidots {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Rādīt mazāk visiem",
"status.show_more": "Rādīt vairāk",
"status.show_more_all": "Rādīt vairāk visiem",
+ "status.show_original": "Rādīt oriģinālu",
"status.show_thread": "Rādīt tematu",
+ "status.translate": "Tulkot",
+ "status.translated_from": "Tulkot no {lang}",
"status.uncached_media_warning": "Nav pieejams",
"status.unmute_conversation": "Atvērt sarunu",
"status.unpin": "Noņemt no profila",
+ "subscribed_languages.lead": "Pēc izmaiņu veikšanas tavā mājas lapā un saraksta laika skalās tiks rādītas tikai ziņas atlasītajās valodās. Neatlasi nevienu, lai saņemtu ziņas visās valodās.",
+ "subscribed_languages.save": "Saglabāt izmaiņas",
+ "subscribed_languages.target": "Mainīt abonētās valodas priekš {target}",
"suggestions.dismiss": "Noraidīt ieteikumu",
"suggestions.header": "Jūs varētu interesēt arī…",
"tabs_bar.federated_timeline": "Federētā",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sekotāji",
"timeline_hint.resources.follows": "Seko",
"timeline_hint.resources.statuses": "Vecākas ziņas",
- "trends.counter_by_accounts": "Sarunājas {count, plural, one {{counter} persona} other {{counter} cilvēki}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} persona} other {{counter} cilvēki}} par {days, plural, one {dienu} other {{days} dienām}}",
"trends.trending_now": "Šobrīd tendences",
"ui.beforeunload": "Ja pametīsit Mastodonu, jūsu melnraksts tiks zaudēts.",
"units.short.billion": "{count}M",
diff --git a/app/javascript/mastodon/locales/mk.json b/app/javascript/mastodon/locales/mk.json
index 48f35b7df..95bd76b7d 100644
--- a/app/javascript/mastodon/locales/mk.json
+++ b/app/javascript/mastodon/locales/mk.json
@@ -24,6 +24,7 @@
"account.follows_you": "Те следи тебе",
"account.hide_reblogs": "Сокриј буст од @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Сопстевноста на овај линк беше проверен на {date}",
"account.locked_info": "Статусот на приватност на овај корисник е сетиран како заклучен. Корисникот одлучува кој можи да го следи него.",
"account.media": "Медија",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Упс!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} неделно",
"boost_modal.combo": "Кликни {combo} за да го прескокниш ова нареден пат",
"bundle_column_error.body": "Се случи проблем при вчитувањето.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Започни",
"getting_started.invite": "Покани луѓе",
"getting_started.open_source_notice": "Мастодон е софтвер со отворен код. Можете да придонесувате или пријавувате проблеми во the computer lab на {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Било кои",
"hashtag.column_settings.tag_mode.none": "Никои",
"hashtag.column_settings.tag_toggle": "Стави додатни тагови за оваа колона",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Основно",
"home.column_settings.show_reblogs": "Прикажи бустирања",
"home.column_settings.show_replies": "Прикажи одговори",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ml.json b/app/javascript/mastodon/locales/ml.json
index 6fd7e0d6e..4acb9fb75 100644
--- a/app/javascript/mastodon/locales/ml.json
+++ b/app/javascript/mastodon/locales/ml.json
@@ -24,6 +24,7 @@
"account.follows_you": "നിങ്ങളെ പിന്തുടരുന്നു",
"account.hide_reblogs": "@{name} ബൂസ്റ്റ് ചെയ്തവ മറയ്കുക",
"account.joined": "{date} ൽ ചേർന്നു",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "ഈ ലിങ്കിന്റെ ഉടമസ്തത {date} ഇൽ ഉറപ്പാക്കിയതാണ്",
"account.locked_info": "ഈ അംഗത്വത്തിന്റെ സ്വകാര്യതാ നിലപാട് അനുസരിച്ച് പിന്തുടരുന്നവരെ തിരഞ്ഞെടുക്കാനുള്ള വിവേചനാധികാരം ഉടമസ്ഥനിൽ നിഷിപ്തമായിരിക്കുന്നു.",
"account.media": "മീഡിയ",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "ശ്ശോ!",
"announcement.announcement": "അറിയിപ്പ്",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "ആഴ്ച തോറും {count}",
"boost_modal.combo": "അടുത്ത തവണ ഇത് ഒഴിവാക്കുവാൻ {combo} ഞെക്കാവുന്നതാണ്",
"bundle_column_error.body": "ഈ ഘടകം പ്രദശിപ്പിക്കുമ്പോൾ എന്തോ കുഴപ്പം സംഭവിച്ചു.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "പൂര്ത്തിയായീ",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "തുടക്കം കുറിക്കുക",
"getting_started.invite": "ആളുകളെ ക്ഷണിക്കുക",
"getting_started.open_source_notice": "മാസ്റ്റഡോൺ ഒരു സ്വതന്ത്ര സോഫ്ട്വെയർ ആണ്. നിങ്ങൾക്ക് {github} the computer lab ൽ സംഭാവന ചെയ്യുകയോ പ്രശ്നങ്ങൾ അറിയിക്കുകയോ ചെയ്യാം.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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} ഇല്ലാതെ",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "ഇവയിലേതെങ്കിലും",
"hashtag.column_settings.tag_mode.none": "ഇതിലൊന്നുമല്ല",
"hashtag.column_settings.tag_toggle": "ഈ എഴുത്തുപംക്തിക്ക് കൂടുതൽ ഉപനാമങ്ങൾ ചേർക്കുക",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "അടിസ്ഥാനം",
"home.column_settings.show_reblogs": "ബൂസ്റ്റുകൾ കാണിക്കുക",
"home.column_settings.show_replies": "മറുപടികൾ കാണിക്കുക",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "ടൂട്ടുകൾ",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "@{name} -നെ തടയുക",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "ഉൾച്ചേർക്കുക",
"status.favourite": "പ്രിയപ്പെട്ടത്",
+ "status.filter": "Filter this post",
"status.filtered": "ഫിൽട്ടർ ചെയ്തു",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "കൂടുതകൽ കാണിക്കുക",
"status.show_more_all": "എല്ലാവർക്കുമായി കൂടുതൽ കാണിക്കുക",
+ "status.show_original": "Show original",
"status.show_thread": "ത്രെഡ് കാണിക്കുക",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "ലഭ്യമല്ല",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "നിർദ്ദേശം ഒഴിവാക്കൂ",
"suggestions.header": "നിങ്ങൾക്ക് താൽപ്പര്യമുണ്ടാകാം…",
"tabs_bar.federated_timeline": "സംയുക്തമായ",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "പിന്തുടരുന്നവർ",
"timeline_hint.resources.follows": "പിന്തുടരുന്നു",
"timeline_hint.resources.statuses": "പഴയ ടൂട്ടുകൾ",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "ഇപ്പോൾ ട്രെൻഡിംഗ്",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/mr.json b/app/javascript/mastodon/locales/mr.json
index 5ff61ac05..22abcdb5f 100644
--- a/app/javascript/mastodon/locales/mr.json
+++ b/app/javascript/mastodon/locales/mr.json
@@ -24,6 +24,7 @@
"account.follows_you": "तुमचा अनुयायी आहे",
"account.hide_reblogs": "@{name} पासून सर्व बूस्ट लपवा",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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": "दृक्श्राव्य मजकूर",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "अरेरे!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} प्रतिसप्ताह",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "हा घटक लोड करतांना काहीतरी चुकले आहे.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ms.json b/app/javascript/mastodon/locales/ms.json
index 26988eb25..ac5185cc8 100644
--- a/app/javascript/mastodon/locales/ms.json
+++ b/app/javascript/mastodon/locales/ms.json
@@ -24,6 +24,7 @@
"account.follows_you": "Mengikuti anda",
"account.hide_reblogs": "Sembunyikan galakan daripada @{name}",
"account.joined": "Sertai pada {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Pemilikan pautan ini telah disemak pada {date}",
"account.locked_info": "Status privasi akaun ini dikunci. Pemiliknya menyaring sendiri siapa yang boleh mengikutinya.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Alamak!",
"announcement.announcement": "Pengumuman",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} seminggu",
"boost_modal.combo": "Anda boleh tekan {combo} untuk melangkauinya pada waktu lain",
"bundle_column_error.body": "Terdapat kesilapan ketika memuatkan komponen ini.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Selesai",
"follow_recommendations.heading": "Ikuti orang yang anda ingin lihat hantarannya! Di sini ada beberapa cadangan.",
"follow_recommendations.lead": "Hantaran daripada orang yang anda ikuti akan muncul dalam susunan kronologi di suapan rumah anda. Jangan takut melakukan kesilapan, anda boleh nyahikuti orang dengan mudah pada bila-bila masa!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Mari bermula",
"getting_started.invite": "Undang orang",
"getting_started.open_source_notice": "Mastodon itu perisian bersumber terbuka. Anda boleh menyumbang atau melaporkan masalah di the computer lab menerusi {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Tetapan akaun",
- "getting_started.terms": "Terma perkhidmatan",
"hashtag.column_header.tag_mode.all": "dan {additional}",
"hashtag.column_header.tag_mode.any": "atau {additional}",
"hashtag.column_header.tag_mode.none": "tanpa {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Mana-mana daripada yang ini",
"hashtag.column_settings.tag_mode.none": "Tiada apa pun daripada yang ini",
"hashtag.column_settings.tag_toggle": "Sertakan tag tambahan untuk lajur ini",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Asas",
"home.column_settings.show_reblogs": "Tunjukkan galakan",
"home.column_settings.show_replies": "Tunjukkan balasan",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Hantaran",
"search_results.statuses_fts_disabled": "Menggelintar hantaran menggunakan kandungannya tidak didayakan di pelayan Mastodon ini.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, other {hasil}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Buka antara muka penyederhanaan untuk @{name}",
"status.admin_status": "Buka hantaran ini dalam antara muka penyederhanaan",
"status.block": "Sekat @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Benaman",
"status.favourite": "Kegemaran",
+ "status.filter": "Filter this post",
"status.filtered": "Ditapis",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Tunjukkan kurang untuk semua",
"status.show_more": "Tunjukkan lebih",
"status.show_more_all": "Tunjukkan lebih untuk semua",
+ "status.show_original": "Show original",
"status.show_thread": "Tunjuk bebenang",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Tidak tersedia",
"status.unmute_conversation": "Nyahbisukan perbualan",
"status.unpin": "Nyahsemat daripada profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Batalkan cadangan",
"suggestions.header": "Anda mungkin berminat dengan…",
"tabs_bar.federated_timeline": "Bersekutu",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Pengikut",
"timeline_hint.resources.follows": "Ikutan",
"timeline_hint.resources.statuses": "Hantaran lebih lama",
- "trends.counter_by_accounts": "{count, plural, other {{counter} orang}} bercakap",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Sohor kini",
"ui.beforeunload": "Rangka anda akan terhapus jika anda meninggalkan Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/nl.json b/app/javascript/mastodon/locales/nl.json
index ea9459587..ee71359ca 100644
--- a/app/javascript/mastodon/locales/nl.json
+++ b/app/javascript/mastodon/locales/nl.json
@@ -24,6 +24,7 @@
"account.follows_you": "Volgt jou",
"account.hide_reblogs": "Boosts van @{name} verbergen",
"account.joined": "Geregistreerd op {date}",
+ "account.languages": "Getoonde talen wijzigen",
"account.link_verified_on": "Eigendom van deze link is gecontroleerd op {date}",
"account.locked_info": "De privacystatus van dit account is op besloten gezet. De eigenaar bepaalt handmatig wie diegene kan volgen.",
"account.media": "Media",
@@ -51,7 +52,7 @@
"admin.dashboard.daily_retention": "Retentiegraad van gebruikers per dag, vanaf registratie",
"admin.dashboard.monthly_retention": "Retentiegraad van gebruikers per maand, vanaf registratie",
"admin.dashboard.retention.average": "Gemiddelde",
- "admin.dashboard.retention.cohort": "Aanmeldingsmaand",
+ "admin.dashboard.retention.cohort": "Maand van registratie",
"admin.dashboard.retention.cohort_size": "Nieuwe gebruikers",
"alert.rate_limited.message": "Probeer het nog een keer na {retry_time, time, medium}.",
"alert.rate_limited.title": "Beperkt te gebruiken",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oeps!",
"announcement.announcement": "Mededeling",
"attachments_list.unprocessed": "(niet verwerkt)",
+ "audio.hide": "Audio verbergen",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "Je kunt {combo} klikken om dit de volgende keer over te slaan",
"bundle_column_error.body": "Tijdens het laden van dit onderdeel is er iets fout gegaan.",
@@ -172,8 +174,8 @@
"empty_column.direct": "Je hebt nog geen directe berichten. Wanneer je er een verzend of ontvangt, komt deze hier te staan.",
"empty_column.domain_blocks": "Er zijn nog geen geblokkeerde domeinen.",
"empty_column.explore_statuses": "Momenteel zijn er geen trends. Kom later terug!",
- "empty_column.favourited_statuses": "Jij hebt nog geen favoriete berichten. Wanneer je er een aan jouw favorieten toevoegt, valt deze hier te zien.",
- "empty_column.favourites": "Niemand heeft dit bericht nog aan diens favorieten toegevoegd. Wanneer iemand dit doet, valt dat hier te zien.",
+ "empty_column.favourited_statuses": "Jij hebt nog geen favoriete berichten. Wanneer je een bericht als favoriet markeert, valt deze hier te zien.",
+ "empty_column.favourites": "Niemand heeft dit bericht nog als favoriet gemarkeerd. Wanneer iemand dit doet, valt dat hier te zien.",
"empty_column.follow_recommendations": "Het lijkt er op dat er geen aanbevelingen voor jou aangemaakt kunnen worden. Je kunt proberen te zoeken naar mensen die je wellicht kent, zoeken op hashtags, de lokale en globale tijdlijnen bekijken of de gebruikersgids doorbladeren.",
"empty_column.follow_requests": "Jij hebt nog enkel volgverzoek ontvangen. Wanneer je er eentje ontvangt, valt dat hier te zien.",
"empty_column.hashtag": "Er is nog niks te vinden onder deze hashtag.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nieuws",
"explore.trending_statuses": "Berichten",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context komt niet overeen!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Filter verlopen!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filterinstellingen",
+ "filter_modal.added.settings_link": "instellingspagina",
+ "filter_modal.added.short_explanation": "Dit bericht is toegevoegd aan de volgende filtercategorie: {title}.",
+ "filter_modal.added.title": "Filter toegevoegd!",
+ "filter_modal.select_filter.context_mismatch": "is niet van toepassing op deze context",
+ "filter_modal.select_filter.expired": "verlopen",
+ "filter_modal.select_filter.prompt_new": "Nieuwe categorie: {name}",
+ "filter_modal.select_filter.search": "Zoeken of toevoegen",
+ "filter_modal.select_filter.subtitle": "Een bestaande categorie gebruiken of een nieuwe aanmaken",
+ "filter_modal.select_filter.title": "Dit bericht filteren",
+ "filter_modal.title.status": "Een bericht filteren",
"follow_recommendations.done": "Klaar",
"follow_recommendations.heading": "Volg mensen waarvan je graag berichten wil zien! Hier zijn enkele aanbevelingen.",
"follow_recommendations.lead": "Berichten van mensen die je volgt zullen in chronologische volgorde onder start verschijnen. Wees niet bang om hierin fouten te maken, want je kunt mensen op elk moment net zo eenvoudig ontvolgen!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Aan de slag",
"getting_started.invite": "Mensen uitnodigen",
"getting_started.open_source_notice": "Mastodon is vrije software. Je kunt bijdragen of problemen melden op the computer lab via {github}.",
+ "getting_started.privacy_policy": "Privacybeleid",
"getting_started.security": "Accountinstellingen",
- "getting_started.terms": "Voorwaarden",
"hashtag.column_header.tag_mode.all": "en {additional}",
"hashtag.column_header.tag_mode.any": "of {additional}",
"hashtag.column_header.tag_mode.none": "zonder {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Een van deze",
"hashtag.column_settings.tag_mode.none": "Geen van deze",
"hashtag.column_settings.tag_toggle": "Additionele tags aan deze kolom toevoegen",
+ "hashtag.follow": "Hashtag volgen",
+ "hashtag.unfollow": "Hashtag ontvolgen",
"home.column_settings.basic": "Algemeen",
"home.column_settings.show_reblogs": "Boosts tonen",
"home.column_settings.show_replies": "Reacties tonen",
@@ -237,7 +257,7 @@
"keyboard_shortcuts.direct": "Directe berichten tonen",
"keyboard_shortcuts.down": "Naar beneden in de lijst bewegen",
"keyboard_shortcuts.enter": "Volledig bericht tonen",
- "keyboard_shortcuts.favourite": "Aan jouw favorieten toevoegen",
+ "keyboard_shortcuts.favourite": "Als favoriet markeren",
"keyboard_shortcuts.favourites": "Favorieten tonen",
"keyboard_shortcuts.federated": "Globale tijdlijn tonen",
"keyboard_shortcuts.heading": "Sneltoetsen",
@@ -315,8 +335,8 @@
"navigation_bar.public_timeline": "Globale tijdlijn",
"navigation_bar.security": "Beveiliging",
"notification.admin.report": "{name} heeft {target} geapporteerd",
- "notification.admin.sign_up": "{name} heeft zich aangemeld",
- "notification.favourite": "{name} voegde jouw bericht als favoriet toe",
+ "notification.admin.sign_up": "{name} heeft zich geregistreerd",
+ "notification.favourite": "{name} markeerde jouw bericht als favoriet",
"notification.follow": "{name} volgt jou nu",
"notification.follow_request": "{name} wil jou graag volgen",
"notification.mention": "{name} vermeldde jou",
@@ -328,7 +348,7 @@
"notifications.clear": "Meldingen verwijderen",
"notifications.clear_confirmation": "Weet je het zeker dat je al jouw meldingen wilt verwijderen?",
"notifications.column_settings.admin.report": "Nieuwe rapportages:",
- "notifications.column_settings.admin.sign_up": "Nieuwe aanmeldingen:",
+ "notifications.column_settings.admin.sign_up": "Nieuwe registraties:",
"notifications.column_settings.alert": "Desktopmeldingen",
"notifications.column_settings.favourite": "Favorieten:",
"notifications.column_settings.filter_bar.advanced": "Alle categorieën tonen",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Deze zoektermen leveren geen resultaat op",
"search_results.statuses": "Berichten",
"search_results.statuses_fts_disabled": "Het zoeken in berichten is op deze Mastodon-server niet ingeschakeld.",
+ "search_results.title": "Naar {q} zoeken",
"search_results.total": "{count, number} {count, plural, one {resultaat} other {resultaten}}",
+ "sign_in_banner.create_account": "Account registreren",
+ "sign_in_banner.sign_in": "Inloggen",
+ "sign_in_banner.text": "Inloggen om accounts of hashtags te volgen, op berichten te reageren, berichten te delen, of om interactie te hebben met jouw account op een andere server.",
"status.admin_account": "Moderatie-omgeving van @{name} openen",
"status.admin_status": "Dit bericht in de moderatie-omgeving openen",
"status.block": "@{name} blokkeren",
@@ -467,6 +491,7 @@
"status.edited_x_times": "{count, plural, one {{count} keer} other {{count} keer}} bewerkt",
"status.embed": "Insluiten",
"status.favourite": "Favoriet",
+ "status.filter": "Dit bericht filteren",
"status.filtered": "Gefilterd",
"status.hide": "Bericht verbergen",
"status.history.created": "{name} plaatste dit {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Alles minder tonen",
"status.show_more": "Meer tonen",
"status.show_more_all": "Alles meer tonen",
+ "status.show_original": "Origineel bekijken",
"status.show_thread": "Gesprek tonen",
+ "status.translate": "Vertalen",
+ "status.translated_from": "Vertaald uit het {lang}",
"status.uncached_media_warning": "Niet beschikbaar",
"status.unmute_conversation": "Gesprek niet langer negeren",
"status.unpin": "Van profielpagina losmaken",
+ "subscribed_languages.lead": "Na de wijziging worden alleen berichten van geselecteerde talen op jouw starttijden en in lijsten weergegeven.",
+ "subscribed_languages.save": "Wijzigingen opslaan",
+ "subscribed_languages.target": "Getoonde talen voor {target} wijzigen",
"suggestions.dismiss": "Aanbeveling verwerpen",
"suggestions.header": "Je bent waarschijnlijk ook geïnteresseerd in…",
"tabs_bar.federated_timeline": "Globaal",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Volgers",
"timeline_hint.resources.follows": "Volgend",
"timeline_hint.resources.statuses": "Oudere berichten",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persoon} other {{counter} personen}} zijn aan het praten",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Huidige trends",
"ui.beforeunload": "Je concept gaat verloren wanneer je Mastodon verlaat.",
"units.short.billion": "{count} mrd.",
diff --git a/app/javascript/mastodon/locales/nn.json b/app/javascript/mastodon/locales/nn.json
index 70770fae8..1bf8c0684 100644
--- a/app/javascript/mastodon/locales/nn.json
+++ b/app/javascript/mastodon/locales/nn.json
@@ -24,6 +24,7 @@
"account.follows_you": "Fylgjer deg",
"account.hide_reblogs": "Gøym fremhevingar frå @{name}",
"account.joined": "Vart med {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Eigarskap for denne lenkja vart sist sjekka {date}",
"account.locked_info": "Denne kontoen er privat. Eigaren kan sjølv velja kven som kan fylgja han.",
"account.media": "Media",
@@ -41,24 +42,25 @@
"account.statuses_counter": "{count, plural, one {{counter} tut} other {{counter} tut}}",
"account.unblock": "Slutt å blokera @{name}",
"account.unblock_domain": "Vis {domain}",
- "account.unblock_short": "Opphev blokkering",
+ "account.unblock_short": "Avblokker",
"account.unendorse": "Ikkje framhev på profil",
"account.unfollow": "Slutt å fylgja",
- "account.unmute": "Av-demp @{name}",
+ "account.unmute": "Opphev målbinding av @{name}",
"account.unmute_notifications": "Vis varsel frå @{name}",
- "account.unmute_short": "Opphev demping",
+ "account.unmute_short": "Opphev målbinding",
"account_note.placeholder": "Klikk for å leggja til merknad",
"admin.dashboard.daily_retention": "User retention rate by day after sign-up",
"admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
"admin.dashboard.retention.average": "Gjennomsnitt",
"admin.dashboard.retention.cohort": "Sign-up month",
- "admin.dashboard.retention.cohort_size": "Nye brukere",
+ "admin.dashboard.retention.cohort_size": "Nye brukarar",
"alert.rate_limited.message": "Ver venleg å prøva igjen etter {retry_time, time, medium}.",
"alert.rate_limited.title": "Begrensa rate",
"alert.unexpected.message": "Eit uventa problem oppstod.",
"alert.unexpected.title": "Oi sann!",
"announcement.announcement": "Kunngjering",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per veke",
"boost_modal.combo": "Du kan trykkja {combo} for å hoppa over dette neste gong",
"bundle_column_error.body": "Noko gjekk gale mens denne komponenten vart lasta ned.",
@@ -70,7 +72,7 @@
"column.blocks": "Blokkerte brukarar",
"column.bookmarks": "Bokmerke",
"column.community": "Lokal tidsline",
- "column.direct": "Direct messages",
+ "column.direct": "Direktemeldingar",
"column.directory": "Sjå gjennom profilar",
"column.domain_blocks": "Gøymde domene",
"column.favourites": "Favorittar",
@@ -92,10 +94,10 @@
"community.column_settings.local_only": "Berre lokalt",
"community.column_settings.media_only": "Berre media",
"community.column_settings.remote_only": "Berre eksternt",
- "compose.language.change": "Change language",
+ "compose.language.change": "Byt språk",
"compose.language.search": "Search languages...",
"compose_form.direct_message_warning_learn_more": "Lær meir",
- "compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
+ "compose_form.encryption_warning": "Innlegg på Mastodon er ikkje ende-til-ende-krypterte. Ikkje del eventuell sensitiv informasjon via Mastodon.",
"compose_form.hashtag_warning": "Dette tutet vert ikkje oppført under nokon emneknagg sidan det ikkje er oppført. Berre offentlege tut kan verta søkt etter med emneknagg.",
"compose_form.lock_disclaimer": "Kontoen din er ikkje {locked}. Kven som helst kan fylgja deg for å sjå innlegga dine som berre visast til fylgjarar.",
"compose_form.lock_disclaimer.lock": "låst",
@@ -108,7 +110,7 @@
"compose_form.poll.switch_to_single": "Endra avstemninga til tillate berre eitt val",
"compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!",
- "compose_form.save_changes": "Save changes",
+ "compose_form.save_changes": "Lagre endringar",
"compose_form.sensitive.hide": "Merk medium som sensitivt",
"compose_form.sensitive.marked": "Medium er markert som sensitivt",
"compose_form.sensitive.unmarked": "Medium er ikkje merka som sensitivt",
@@ -124,7 +126,7 @@
"confirmations.delete_list.confirm": "Slett",
"confirmations.delete_list.message": "Er du sikker på at du vil sletta denne lista for alltid?",
"confirmations.discard_edit_media.confirm": "Forkast",
- "confirmations.discard_edit_media.message": "You have unsaved changes to the media description or preview, discard them anyway?",
+ "confirmations.discard_edit_media.message": "Du har ulagra endringar i mediabeskrivinga eller førehandsvisinga. Vil du forkaste dei likevel?",
"confirmations.domain_block.confirm": "Gøym heile domenet",
"confirmations.domain_block.message": "Er du heilt, heilt sikker på at du vil blokkera heile {domain}? I dei fleste tilfelle er det godt nok og føretrekt med nokre få målretta blokkeringar eller målbindingar. Du kjem ikkje til å sjå innhald frå det domenet i nokon fødererte tidsliner eller i varsla dine. Fylgjarane dine frå det domenet vert fjerna.",
"confirmations.logout.confirm": "Logg ut",
@@ -178,7 +180,7 @@
"empty_column.follow_requests": "Du har ingen følgjeførespurnadar ennå. Når du får ein, så vil den dukke opp her.",
"empty_column.hashtag": "Det er ingenting i denne emneknaggen ennå.",
"empty_column.home": "Heime-tidslinja di er tom! Besøk {public} eller søk for å starte og å møte andre brukarar.",
- "empty_column.home.suggestions": "Se noen forslag",
+ "empty_column.home.suggestions": "Sjå nokre forslag",
"empty_column.list": "Det er ingenting i denne lista enno. Når medlemer av denne lista legg ut nye statusar, så dukkar dei opp her.",
"empty_column.lists": "Du har ingen lister enno. Når du lagar ei, så dukkar ho opp her.",
"empty_column.mutes": "Du har ikkje målbunde nokon brukarar enno.",
@@ -190,14 +192,30 @@
"error.unexpected_crash.next_steps_addons": "Prøv å deaktivere dem og laste siden på nytt. Hvis det ikke hjelper, kan du fremdeles bruke Mastodon via en annen nettleser eller en annen app.",
"errors.unexpected_crash.copy_stacktrace": "Kopier stacktrace til utklippstavla",
"errors.unexpected_crash.report_issue": "Rapporter problem",
- "explore.search_results": "Søkeresultater",
+ "explore.search_results": "Søkeresultat",
"explore.suggested_follows": "For deg",
"explore.title": "Utforsk",
- "explore.trending_links": "Nyheter",
+ "explore.trending_links": "Nyheiter",
"explore.trending_statuses": "Innlegg",
- "explore.trending_tags": "Hashtags",
+ "explore.trending_tags": "Emneknaggar",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Ferdig",
- "follow_recommendations.heading": "Følg folk du ønsker å se innlegg fra! Her er noen forslag.",
+ "follow_recommendations.heading": "Fylg folk du ønsker å sjå innlegg frå! Her er nokre forslag.",
"follow_recommendations.lead": "Innlegg fra mennesker du følger vil vises i kronologisk rekkefølge på hjemmefeed. Ikke vær redd for å gjøre feil, du kan slutte å følge folk like enkelt som alt!",
"follow_request.authorize": "Autoriser",
"follow_request.reject": "Avvis",
@@ -209,8 +227,8 @@
"getting_started.heading": "Kom i gang",
"getting_started.invite": "Byd folk inn",
"getting_started.open_source_notice": "Mastodon er fri programvare. Du kan bidraga eller rapportera problem med the computer lab på {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Kontoinnstillingar",
- "getting_started.terms": "Brukarvilkår",
"hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eller {additional}",
"hashtag.column_header.tag_mode.none": "utan {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Kva som helst av desse",
"hashtag.column_settings.tag_mode.none": "Ikkje nokon av disse",
"hashtag.column_settings.tag_toggle": "Inkluder ekstra emneknaggar for denne kolonna",
+ "hashtag.follow": "Fylg emneknagg",
+ "hashtag.unfollow": "Slutt å fylgje emneknaggen",
"home.column_settings.basic": "Enkelt",
"home.column_settings.show_reblogs": "Vis framhevingar",
"home.column_settings.show_replies": "Vis svar",
@@ -267,8 +287,8 @@
"lightbox.expand": "Ekspander bildevisning boks",
"lightbox.next": "Neste",
"lightbox.previous": "Førre",
- "limited_account_hint.action": "Show profile anyway",
- "limited_account_hint.title": "This profile has been hidden by the moderators of your server.",
+ "limited_account_hint.action": "Vis profilen likevel",
+ "limited_account_hint.title": "Denne profilen har vorte skjult av moderatorane på tenaren din.",
"lists.account.add": "Legg til i liste",
"lists.account.remove": "Fjern frå liste",
"lists.delete": "Slett liste",
@@ -277,7 +297,7 @@
"lists.new.create": "Legg til liste",
"lists.new.title_placeholder": "Ny listetittel",
"lists.replies_policy.followed": "Enhver fulgt bruker",
- "lists.replies_policy.list": "Medlemmer i listen",
+ "lists.replies_policy.list": "Medlem i lista",
"lists.replies_policy.none": "Ikkje nokon",
"lists.replies_policy.title": "Vis svar på:",
"lists.search": "Søk gjennom folk du følgjer",
@@ -295,7 +315,7 @@
"navigation_bar.bookmarks": "Bokmerke",
"navigation_bar.community_timeline": "Lokal tidsline",
"navigation_bar.compose": "Lag eit nytt tut",
- "navigation_bar.direct": "Direct messages",
+ "navigation_bar.direct": "Direktemeldingar",
"navigation_bar.discover": "Oppdag",
"navigation_bar.domain_blocks": "Skjulte domene",
"navigation_bar.edit_profile": "Rediger profil",
@@ -314,7 +334,7 @@
"navigation_bar.preferences": "Innstillingar",
"navigation_bar.public_timeline": "Føderert tidsline",
"navigation_bar.security": "Tryggleik",
- "notification.admin.report": "{name} reported {target}",
+ "notification.admin.report": "{name} rapporterte {target}",
"notification.admin.sign_up": "{name} signed up",
"notification.favourite": "{name} merkte statusen din som favoritt",
"notification.follow": "{name} fylgde deg",
@@ -324,10 +344,10 @@
"notification.poll": "Ei rundspørjing du har røysta i er ferdig",
"notification.reblog": "{name} framheva statusen din",
"notification.status": "{name} la nettopp ut",
- "notification.update": "{name} edited a post",
+ "notification.update": "{name} redigerte eit innlegg",
"notifications.clear": "Tøm varsel",
"notifications.clear_confirmation": "Er du sikker på at du vil fjerna alle varsla dine for alltid?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "Nye rapportar:",
"notifications.column_settings.admin.sign_up": "New sign-ups:",
"notifications.column_settings.alert": "Skrivebordsvarsel",
"notifications.column_settings.favourite": "Favorittar:",
@@ -343,9 +363,9 @@
"notifications.column_settings.show": "Vis i kolonne",
"notifications.column_settings.sound": "Spel av lyd",
"notifications.column_settings.status": "Nye tuter:",
- "notifications.column_settings.unread_notifications.category": "Unread notifications",
- "notifications.column_settings.unread_notifications.highlight": "Highlight unread notifications",
- "notifications.column_settings.update": "Redigeringer:",
+ "notifications.column_settings.unread_notifications.category": "Uleste varsel",
+ "notifications.column_settings.unread_notifications.highlight": "Marker uleste varsel",
+ "notifications.column_settings.update": "Redigeringar:",
"notifications.filter.all": "Alle",
"notifications.filter.boosts": "Framhevingar",
"notifications.filter.favourites": "Favorittar",
@@ -369,15 +389,15 @@
"poll.total_votes": "{count, plural, one {# røyst} other {# røyster}}",
"poll.vote": "Røyst",
"poll.voted": "Du røysta på dette svaret",
- "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
+ "poll.votes": "{votes, plural, one {# stemme} other {# stemmer}}",
"poll_button.add_poll": "Start ei meiningsmåling",
"poll_button.remove_poll": "Fjern røyst",
"privacy.change": "Juster status-synlegheit",
"privacy.direct.long": "Legg berre ut for nemnde brukarar",
- "privacy.direct.short": "Direct",
+ "privacy.direct.short": "Kun nemnde personar",
"privacy.private.long": "Post kun til følgjarar",
- "privacy.private.short": "Followers-only",
- "privacy.public.long": "Visible for all",
+ "privacy.private.short": "Kun fylgjarar",
+ "privacy.public.long": "Synleg for alle",
"privacy.public.short": "Offentleg",
"privacy.unlisted.long": "Visible for all, but opted-out of discovery features",
"privacy.unlisted.short": "Uoppført",
@@ -385,11 +405,11 @@
"regeneration_indicator.label": "Lastar…",
"regeneration_indicator.sublabel": "Heimetidslinja di vert førebudd!",
"relative_time.days": "{number}dg",
- "relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
- "relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
- "relative_time.full.just_now": "just now",
- "relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
- "relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
+ "relative_time.full.days": "{number, plural, one {# dag} other {# dagar}} sidan",
+ "relative_time.full.hours": "{number, plural, one {# time} other {# timar}} sidan",
+ "relative_time.full.just_now": "nettopp nå",
+ "relative_time.full.minutes": "{number, plural, one {# minutt} other {# minutt}} sidan",
+ "relative_time.full.seconds": "{number, plural, one {# sekund} other {# sekund}} sidan",
"relative_time.hours": "{number}t",
"relative_time.just_now": "nå",
"relative_time.minutes": "{number}min",
@@ -397,46 +417,46 @@
"relative_time.today": "i dag",
"reply_indicator.cancel": "Avbryt",
"report.block": "Blokker",
- "report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
- "report.categories.other": "Other",
+ "report.block_explanation": "Du vil ikkje kunne sjå innlegga deira. Dei vil ikkje kunne sjå innlegga dine eller fylgje deg. Dei kan sjå at dei er blokkert.",
+ "report.categories.other": "Anna",
"report.categories.spam": "Søppelpost",
- "report.categories.violation": "Content violates one or more server rules",
- "report.category.subtitle": "Choose the best match",
- "report.category.title": "Tell us what's going on with this {type}",
+ "report.categories.violation": "Innhaldet bryt ei eller fleire regler for tenaren",
+ "report.category.subtitle": "Vel det som passar best",
+ "report.category.title": "Fortel oss kva som skjer med denne {type}",
"report.category.title_account": "profil",
"report.category.title_status": "innlegg",
- "report.close": "Utført",
- "report.comment.title": "Is there anything else you think we should know?",
+ "report.close": "Ferdig",
+ "report.comment.title": "Er det noko anna du meiner me bør vite?",
"report.forward": "Vidaresend til {target}",
"report.forward_hint": "Kontoen er frå ein annan tenar. Vil du senda ein anonymisert kopi av rapporten dit òg?",
- "report.mute": "Demp",
+ "report.mute": "Målbind",
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
"report.next": "Neste",
"report.placeholder": "Tilleggskommentarar",
- "report.reasons.dislike": "Jeg liker det ikke",
- "report.reasons.dislike_description": "It is not something you want to see",
- "report.reasons.other": "It's something else",
- "report.reasons.other_description": "The issue does not fit into other categories",
- "report.reasons.spam": "Det er spam",
- "report.reasons.spam_description": "Malicious links, fake engagement, or repetitive replies",
- "report.reasons.violation": "It violates server rules",
- "report.reasons.violation_description": "You are aware that it breaks specific rules",
+ "report.reasons.dislike": "Eg likar det ikkje",
+ "report.reasons.dislike_description": "Det er ikkje noko du ønsker å sjå",
+ "report.reasons.other": "Det er noko anna",
+ "report.reasons.other_description": "Problemet passar ikkje inn i dei andre kategoriane",
+ "report.reasons.spam": "Det er søppelpost",
+ "report.reasons.spam_description": "Skadelege lenker, falskt engasjement og gjentakande svar",
+ "report.reasons.violation": "Det bryt tenaren sine reglar",
+ "report.reasons.violation_description": "Du veit at den bryt spesifikke reglar",
"report.rules.subtitle": "Select all that apply",
- "report.rules.title": "Which rules are being violated?",
+ "report.rules.title": "Kva reglar vert brotne?",
"report.statuses.subtitle": "Select all that apply",
"report.statuses.title": "Are there any posts that back up this report?",
"report.submit": "Send inn",
"report.target": "Rapporterer {target}",
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
- "report.thanks.title": "Don't want to see this?",
- "report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
+ "report.thanks.title": "Vil du ikkje sjå dette?",
+ "report.thanks.title_actionable": "Takk for at du rapporterer, me skal sjå på dette.",
"report.unfollow": "Unfollow @{name}",
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
- "report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
- "report_notification.categories.spam": "Spam",
- "report_notification.categories.violation": "Rule violation",
+ "report_notification.attached_statuses": "{count, plural, one {{count} innlegg} other {{count} innlegg}} lagt ved",
+ "report_notification.categories.other": "Anna",
+ "report_notification.categories.spam": "Søppelpost",
+ "report_notification.categories.violation": "Regelbrot",
"report_notification.open": "Open report",
"search.placeholder": "Søk",
"search_popout.search_format": "Avansert søkeformat",
@@ -448,10 +468,14 @@
"search_results.accounts": "Folk",
"search_results.all": "All",
"search_results.hashtags": "Emneknaggar",
- "search_results.nothing_found": "Could not find anything for these search terms",
+ "search_results.nothing_found": "Kunne ikkje finne noko for desse søkeorda",
"search_results.statuses": "Tut",
"search_results.statuses_fts_disabled": "På denne Matsodon-tenaren kan du ikkje søkja på tut etter innhaldet deira.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {treff} other {treff}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Opne moderasjonsgrensesnitt for @{name}",
"status.admin_status": "Opne denne statusen i moderasjonsgrensesnittet",
"status.block": "Blokker @{name}",
@@ -462,15 +486,16 @@
"status.delete": "Slett",
"status.detailed_status": "Detaljert samtalevisning",
"status.direct": "Send melding til @{name}",
- "status.edit": "Edit",
- "status.edited": "Edited {date}",
- "status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
+ "status.edit": "Rediger",
+ "status.edited": "Redigert {date}",
+ "status.edited_x_times": "Redigert {count, plural, one {{count} gong} other {{count} gonger}}",
"status.embed": "Bygg inn",
"status.favourite": "Favoritt",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrert",
- "status.hide": "Hide toot",
- "status.history.created": "{name} created {date}",
- "status.history.edited": "{name} edited {date}",
+ "status.hide": "Gøym innlegg",
+ "status.history.created": "{name} oppretta {date}",
+ "status.history.edited": "{name} redigerte {date}",
"status.load_more": "Last inn meir",
"status.media_hidden": "Medium gøymd",
"status.mention": "Nemn @{name}",
@@ -492,15 +517,21 @@
"status.report": "Rapporter @{name}",
"status.sensitive_warning": "Sensitivt innhald",
"status.share": "Del",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Vis likevel",
"status.show_less": "Vis mindre",
"status.show_less_all": "Vis mindre for alle",
"status.show_more": "Vis meir",
"status.show_more_all": "Vis meir for alle",
+ "status.show_original": "Show original",
"status.show_thread": "Vis tråd",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ikkje tilgjengeleg",
"status.unmute_conversation": "Opphev målbinding av samtalen",
"status.unpin": "Løys frå profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Avslå framlegg",
"suggestions.header": "Du er kanskje interessert i…",
"tabs_bar.federated_timeline": "Føderert",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Fylgjarar",
"timeline_hint.resources.follows": "Fylgjer",
"timeline_hint.resources.statuses": "Eldre tut",
- "trends.counter_by_accounts": "Pratas om av {count, plural, one {{counter} person} other {{counter} folk}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Populært no",
"ui.beforeunload": "Kladden din forsvinn om du forlèt Mastodon no.",
"units.short.billion": "{count}m.ard",
@@ -529,7 +560,7 @@
"upload_error.poll": "Filopplasting ikkje tillate med meiningsmålingar.",
"upload_form.audio_description": "Grei ut for folk med nedsett høyrsel",
"upload_form.description": "Skildr for synshemja",
- "upload_form.description_missing": "Ingen beskrivelse lagt til",
+ "upload_form.description_missing": "Inga beskriving er lagt til",
"upload_form.edit": "Rediger",
"upload_form.thumbnail": "Bytt miniatyrbilete",
"upload_form.undo": "Slett",
diff --git a/app/javascript/mastodon/locales/no.json b/app/javascript/mastodon/locales/no.json
index b450c3e52..8c5c3739f 100644
--- a/app/javascript/mastodon/locales/no.json
+++ b/app/javascript/mastodon/locales/no.json
@@ -24,6 +24,7 @@
"account.follows_you": "Følger deg",
"account.hide_reblogs": "Skjul fremhevinger fra @{name}",
"account.joined": "Ble med den {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Eierskap av denne lenken ble sjekket {date}",
"account.locked_info": "Denne kontoens personvernstatus er satt til låst. Eieren vurderer manuelt hvem som kan følge dem.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oi!",
"announcement.announcement": "Kunngjøring",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per uke",
"boost_modal.combo": "You kan trykke {combo} for å hoppe over dette neste gang",
"bundle_column_error.body": "Noe gikk galt mens denne komponenten lastet.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nyheter",
"explore.trending_statuses": "Innlegg",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Utført",
"follow_recommendations.heading": "Følg folk du ønsker å se innlegg fra! Her er noen forslag.",
"follow_recommendations.lead": "Innlegg fra mennesker du følger vil vises i kronologisk rekkefølge på hjemmefeed. Ikke vær redd for å gjøre feil, du kan slutte å følge folk like enkelt som alt!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Kom i gang",
"getting_started.invite": "Inviter folk",
"getting_started.open_source_notice": "Mastodon er fri programvare. Du kan bidra eller rapportere problemer på the computer lab på {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Kontoinnstillinger",
- "getting_started.terms": "Bruksvilkår",
"hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eller {additional}",
"hashtag.column_header.tag_mode.none": "uten {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Enhver av disse",
"hashtag.column_settings.tag_mode.none": "Ingen av disse",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Enkelt",
"home.column_settings.show_reblogs": "Vis fremhevinger",
"home.column_settings.show_replies": "Vis svar",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Tuter",
"search_results.statuses_fts_disabled": "Å søke i tuter etter innhold er ikke skrudd på i denne Mastodon-tjeneren.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultater}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Åpne moderatorgrensesnittet for @{name}",
"status.admin_status": "Åpne denne statusen i moderatorgrensesnittet",
"status.block": "Blokkér @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Bygge inn",
"status.favourite": "Lik",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrert",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Vis mindre for alle",
"status.show_more": "Vis mer",
"status.show_more_all": "Vis mer for alle",
+ "status.show_original": "Show original",
"status.show_thread": "Vis tråden",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ikke tilgjengelig",
"status.unmute_conversation": "Ikke demp samtale",
"status.unpin": "Angre festing på profilen",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Utelukk forslaget",
"suggestions.header": "Du er kanskje interessert i …",
"tabs_bar.federated_timeline": "Felles",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Følgere",
"timeline_hint.resources.follows": "Følger",
"timeline_hint.resources.statuses": "Eldre tuter",
- "trends.counter_by_accounts": "Snakkes om av {count, plural, one {{counter} person} other {{counter} personer}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trender nå",
"ui.beforeunload": "Din kladd vil bli forkastet om du forlater Mastodon.",
"units.short.billion": "{count}m.ard",
diff --git a/app/javascript/mastodon/locales/oc.json b/app/javascript/mastodon/locales/oc.json
index d3770e66d..2926202e1 100644
--- a/app/javascript/mastodon/locales/oc.json
+++ b/app/javascript/mastodon/locales/oc.json
@@ -24,6 +24,7 @@
"account.follows_you": "Vos sèc",
"account.hide_reblogs": "Rescondre los partatges de @{name}",
"account.joined": "Arribèt en {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "La proprietat d’aqueste ligam foguèt verificada lo {date}",
"account.locked_info": "L’estatut de privacitat del compte es configurat sus clavat. Lo proprietari causís qual pòt sègre son compte.",
"account.media": "Mèdias",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ops !",
"announcement.announcement": "Anóncia",
"attachments_list.unprocessed": "(pas tractat)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per setmana",
"boost_modal.combo": "Podètz botar {combo} per passar aquò lo còp que ven",
"bundle_column_error.body": "Quicòm a fach mèuca pendent lo cargament d’aqueste compausant.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novèlas",
"explore.trending_statuses": "Publicacions",
"explore.trending_tags": "Etiquetas",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Acabat",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Per començar",
"getting_started.invite": "Convidar de mond",
"getting_started.open_source_notice": "Mastodon es un logicial liure. Podètz contribuir e mandar vòstres comentaris e rapòrt de bug via {github} sus the computer lab.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Seguretat",
- "getting_started.terms": "Condicions d’utilizacion",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sens {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Un d’aquestes",
"hashtag.column_settings.tag_mode.none": "Cap d’aquestes",
"hashtag.column_settings.tag_toggle": "Inclure las etiquetas suplementàrias dins aquesta colomna",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Mostrar los partatges",
"home.column_settings.show_replies": "Mostrar las responsas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Tuts",
"search_results.statuses_fts_disabled": "La recèrca de tuts per lor contengut es pas activada sus aqueste servidor Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultats}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Dobrir l’interfàcia de moderacion per @{name}",
"status.admin_status": "Dobrir aqueste estatut dins l’interfàcia de moderacion",
"status.block": "Blocar @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Modificat {count, plural, un {{count} còp} other {{count} còps}}",
"status.embed": "Embarcar",
"status.favourite": "Apondre als favorits",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrat",
"status.hide": "Hide toot",
"status.history.created": "{name} o creèt lo {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Los tornar plegar totes",
"status.show_more": "Desplegar",
"status.show_more_all": "Los desplegar totes",
+ "status.show_original": "Show original",
"status.show_thread": "Mostrar lo fil",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Pas disponible",
"status.unmute_conversation": "Tornar mostrar la conversacion",
"status.unpin": "Tirar del perfil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Regetar la suggestion",
"suggestions.header": "Vos poiriá interessar…",
"tabs_bar.federated_timeline": "Flux public global",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidors",
"timeline_hint.resources.follows": "Abonaments",
"timeline_hint.resources.statuses": "Tuts mai ancians",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persona ne parla} other {{counter} personas ne parlan}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Tendéncia del moment",
"ui.beforeunload": "Vòstre brolhon serà perdut se quitatz Mastodon.",
"units.short.billion": "{count}Md",
diff --git a/app/javascript/mastodon/locales/pa.json b/app/javascript/mastodon/locales/pa.json
index 75656983b..85081d523 100644
--- a/app/javascript/mastodon/locales/pa.json
+++ b/app/javascript/mastodon/locales/pa.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/pl.json b/app/javascript/mastodon/locales/pl.json
index e8a859f76..4b849e8bf 100644
--- a/app/javascript/mastodon/locales/pl.json
+++ b/app/javascript/mastodon/locales/pl.json
@@ -24,6 +24,7 @@
"account.follows_you": "Śledzi Cię",
"account.hide_reblogs": "Ukryj podbicia od @{name}",
"account.joined": "Dołączył(a) {date}",
+ "account.languages": "Zmień subskrybowane języki",
"account.link_verified_on": "Własność tego odnośnika została potwierdzona {date}",
"account.locked_info": "To konto jest prywatne. Właściciel ręcznie wybiera kto może go śledzić.",
"account.media": "Zawartość multimedialna",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "O nie!",
"announcement.announcement": "Ogłoszenie",
"attachments_list.unprocessed": "(nieprzetworzone)",
+ "audio.hide": "Ukryj dźwięk",
"autosuggest_hashtag.per_week": "{count} co tydzień",
"boost_modal.combo": "Naciśnij {combo}, aby pominąć to następnym razem",
"bundle_column_error.body": "Coś poszło nie tak podczas ładowania tego składnika.",
@@ -200,6 +202,22 @@
"explore.trending_links": "Aktualności",
"explore.trending_statuses": "Posty",
"explore.trending_tags": "Hasztagi",
+ "filter_modal.added.context_mismatch_explanation": "Ta kategoria filtrów nie ma zastosowania do kontekstu, w którym uzyskałeś dostęp do tego wpisu. Jeśli chcesz, aby wpis został przefiltrowany również w tym kontekście, będziesz musiał edytować filtr.",
+ "filter_modal.added.context_mismatch_title": "Niezgodność kontekstów!",
+ "filter_modal.added.expired_explanation": "Ta kategoria filtra wygasła, będziesz musiał zmienić datę wygaśnięcia, aby ją zastosować.",
+ "filter_modal.added.expired_title": "Wygasły filtr!",
+ "filter_modal.added.review_and_configure": "Aby przejrzeć i skonfigurować tę kategorię filtrów, przejdź do {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Ustawienia filtra",
+ "filter_modal.added.settings_link": "strona ustawień",
+ "filter_modal.added.short_explanation": "Ten wpis został dodany do następującej kategorii filtrów: {title}.",
+ "filter_modal.added.title": "Filtr dodany!",
+ "filter_modal.select_filter.context_mismatch": "nie dotyczy tego kontekstu",
+ "filter_modal.select_filter.expired": "wygasły",
+ "filter_modal.select_filter.prompt_new": "Nowa kategoria: {name}",
+ "filter_modal.select_filter.search": "Szukaj lub utwórz",
+ "filter_modal.select_filter.subtitle": "Użyj istniejącej kategorii lub utwórz nową",
+ "filter_modal.select_filter.title": "Filtruj ten wpis",
+ "filter_modal.title.status": "Filtruj wpis",
"follow_recommendations.done": "Gotowe",
"follow_recommendations.heading": "Śledź ludzi, których wpisy chcesz czytać. Oto kilka propozycji.",
"follow_recommendations.lead": "Wpisy osób, które śledzisz będą pojawiać się w porządku chronologicznym na stronie głównej. Nie bój się popełniać błędów, możesz bez problemu przestać śledzić każdego w każdej chwili!",
@@ -213,8 +231,8 @@
"getting_started.heading": "Rozpocznij",
"getting_started.invite": "Zaproś znajomych",
"getting_started.open_source_notice": "Mastodon jest oprogramowaniem o otwartym źródle. Możesz pomóc w rozwoju lub zgłaszać błędy na the computer labie tutaj: {github}.",
+ "getting_started.privacy_policy": "Polityka prywatności",
"getting_started.security": "Bezpieczeństwo",
- "getting_started.terms": "Zasady użytkowania",
"hashtag.column_header.tag_mode.all": "i {additional}",
"hashtag.column_header.tag_mode.any": "lub {additional}",
"hashtag.column_header.tag_mode.none": "bez {additional}",
@@ -224,6 +242,8 @@
"hashtag.column_settings.tag_mode.any": "Dowolne",
"hashtag.column_settings.tag_mode.none": "Żadne",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Obserwuj hasztag",
+ "hashtag.unfollow": "Przestań obserwować hashtag",
"home.column_settings.basic": "Podstawowe",
"home.column_settings.show_reblogs": "Pokazuj podbicia",
"home.column_settings.show_replies": "Pokazuj odpowiedzi",
@@ -456,7 +476,11 @@
"search_results.nothing_found": "Nie znaleziono innych wyników dla tego wyszukania",
"search_results.statuses": "Wpisy",
"search_results.statuses_fts_disabled": "Szukanie wpisów przy pomocy ich zawartości nie jest włączone na tym serwerze Mastodona.",
- "search_results.total": "{count, number} {count, plural, one {wynik} few {wyniki} many {wyników} more {wyników}}",
+ "search_results.title": "Wyszukiwanie {q}",
+ "search_results.total": "{count, number} {count, plural, one {wynik} few {wyniki} many {wyników} other {wyników}}",
+ "sign_in_banner.create_account": "Załóż konto",
+ "sign_in_banner.sign_in": "Zaloguj się",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Otwórz interfejs moderacyjny dla @{name}",
"status.admin_status": "Otwórz ten wpis w interfejsie moderacyjnym",
"status.block": "Zablokuj @{name}",
@@ -472,6 +496,7 @@
"status.edited_x_times": "Edytowano {count, plural, one {{count} raz} other {{count} razy}}",
"status.embed": "Osadź",
"status.favourite": "Dodaj do ulubionych",
+ "status.filter": "Filtruj ten wpis",
"status.filtered": "Filtrowany(-a)",
"status.hide": "Schowaj toota",
"status.history.created": "{name} utworzył(a) {date}",
@@ -502,10 +527,16 @@
"status.show_less_all": "Zwiń wszystkie",
"status.show_more": "Rozwiń",
"status.show_more_all": "Rozwiń wszystkie",
+ "status.show_original": "Pokaż oryginał",
"status.show_thread": "Pokaż wątek",
+ "status.translate": "Przetłumacz",
+ "status.translated_from": "Przetłumaczone z {lang}",
"status.uncached_media_warning": "Niedostępne",
"status.unmute_conversation": "Cofnij wyciszenie konwersacji",
"status.unpin": "Odepnij z profilu",
+ "subscribed_languages.lead": "Tylko posty w wybranych językach pojawią się na Twojej osi czasu po zmianie. Nie wybieraj żadnego języka aby otrzymywać posty we wszystkich językach.",
+ "subscribed_languages.save": "Zapisz zmiany",
+ "subscribed_languages.target": "Zmień subskrybowane języki dla {target}",
"suggestions.dismiss": "Odrzuć sugestię",
"suggestions.header": "Może Cię zainteresować…",
"tabs_bar.federated_timeline": "Globalne",
@@ -522,7 +553,7 @@
"timeline_hint.resources.followers": "Śledzący",
"timeline_hint.resources.follows": "Śledzeni",
"timeline_hint.resources.statuses": "Starsze wpisy",
- "trends.counter_by_accounts": "rozmawiają: {count, plural, one {{counter} osoba} few {{counter} osoby} many {{counter} osób} other {{counter} osoby}}",
+ "trends.counter_by_accounts": "{count, plural, one {jedna osoba} few {{count} osoby} many {{count} osób} other {{counter} ludzie}} w ciągu {days, plural, one {ostatniego dnia} other {ostatnich {days} dni}}",
"trends.trending_now": "Popularne teraz",
"ui.beforeunload": "Utracisz tworzony wpis, jeżeli opuścisz Mastodona.",
"units.short.billion": "{count} mld",
diff --git a/app/javascript/mastodon/locales/pt-BR.json b/app/javascript/mastodon/locales/pt-BR.json
index 0f7d1a2d5..a867482a3 100644
--- a/app/javascript/mastodon/locales/pt-BR.json
+++ b/app/javascript/mastodon/locales/pt-BR.json
@@ -24,6 +24,7 @@
"account.follows_you": "te segue",
"account.hide_reblogs": "Ocultar boosts de @{name}",
"account.joined": "Entrou em {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "link verificado em {date}",
"account.locked_info": "Trancado. Seguir requer aprovação manual do perfil.",
"account.media": "Mídia",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Eita!",
"announcement.announcement": "Comunicados",
"attachments_list.unprocessed": "(não processado)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Pressione {combo} para pular isso na próxima vez",
"bundle_column_error.body": "Erro ao carregar este componente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Notícias",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Salvar",
"follow_recommendations.heading": "Siga pessoas que você gostaria de acompanhar! Aqui estão algumas sugestões.",
"follow_recommendations.lead": "Toots de pessoas que você segue aparecerão em ordem cronológica na página inicial. Não tenha medo de cometer erros, você pode facilmente deixar de seguir a qualquer momento!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primeiros passos",
"getting_started.invite": "Convidar pessoas",
"getting_started.open_source_notice": "Mastodon é um software de código aberto. Você pode contribuir ou reportar problemas na página do projeto no the computer lab em {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Configurações da conta",
- "getting_started.terms": "Termos de serviço",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sem {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Qualquer uma",
"hashtag.column_settings.tag_mode.none": "Nenhuma",
"hashtag.column_settings.tag_toggle": "Adicionar mais hashtags aqui",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar boosts",
"home.column_settings.show_replies": "Mostrar respostas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Não foi possível encontrar nada para estes termos de busca",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Pesquisar toots por seu conteúdo não está ativado nesta instância Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Abrir interface de moderação para @{name}",
"status.admin_status": "Abrir este toot na interface de moderação",
"status.block": "Bloquear @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Editado {count, plural, one {{count} hora} other {{count} vezes}}",
"status.embed": "Incorporar",
"status.favourite": "Favoritar",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrado",
"status.hide": "Hide toot",
"status.history.created": "{name} criou {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Mostrar menos em tudo",
"status.show_more": "Mostrar mais",
"status.show_more_all": "Mostrar mais em tudo",
+ "status.show_original": "Show original",
"status.show_thread": "Mostrar conversa",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Não disponível",
"status.unmute_conversation": "Dessilenciar conversa",
"status.unpin": "Desafixar",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Ignorar sugestão",
"suggestions.header": "Talvez seja do teu interesse…",
"tabs_bar.federated_timeline": "Linha global",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidores",
"timeline_hint.resources.follows": "Segue",
"timeline_hint.resources.statuses": "Toots anteriores",
- "trends.counter_by_accounts": "{count, plural, one {{counter} pessoa} other {{counter} pessoas}} falando",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Em alta agora",
"ui.beforeunload": "Seu rascunho será perdido se sair do Mastodon.",
"units.short.billion": "{count} bi",
diff --git a/app/javascript/mastodon/locales/pt-PT.json b/app/javascript/mastodon/locales/pt-PT.json
index b0e0cebd2..cb162f492 100644
--- a/app/javascript/mastodon/locales/pt-PT.json
+++ b/app/javascript/mastodon/locales/pt-PT.json
@@ -24,6 +24,7 @@
"account.follows_you": "Segue-te",
"account.hide_reblogs": "Esconder partilhas de @{name}",
"account.joined": "Ingressou em {date}",
+ "account.languages": "Alterar idiomas subscritos",
"account.link_verified_on": "A posse deste link foi verificada em {date}",
"account.locked_info": "Esta conta é privada. O proprietário revê manualmente quem a pode seguir.",
"account.media": "Média",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Bolas!",
"announcement.announcement": "Anúncio",
"attachments_list.unprocessed": "(não processado)",
+ "audio.hide": "Ocultar áudio",
"autosuggest_hashtag.per_week": "{count} por semana",
"boost_modal.combo": "Pode clicar {combo} para não voltar a ver",
"bundle_column_error.body": "Algo de errado aconteceu enquanto este componente era carregado.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Notícias",
"explore.trending_statuses": "Publicações",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "Esta categoria de filtro não se aplica ao contexto em que acedeu a esta publicação. Se pretender que esta publicação seja filtrada também neste contexto, terá que editar o filtro.",
+ "filter_modal.added.context_mismatch_title": "Contexto incoerente!",
+ "filter_modal.added.expired_explanation": "Esta categoria de filtro expirou, necessita alterar a data de validade para que ele seja aplicado.",
+ "filter_modal.added.expired_title": "Filtro expirado!",
+ "filter_modal.added.review_and_configure": "Para rever e configurar mais detalhadamente esta categoria de filtro, vá a {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Definições do filtro",
+ "filter_modal.added.settings_link": "página de definições",
+ "filter_modal.added.short_explanation": "Esta publicação foi adicionada à seguinte categoria de filtro: {title}.",
+ "filter_modal.added.title": "Filtro adicionado!",
+ "filter_modal.select_filter.context_mismatch": "não se aplica a este contexto",
+ "filter_modal.select_filter.expired": "expirado",
+ "filter_modal.select_filter.prompt_new": "Nova categoria: {name}",
+ "filter_modal.select_filter.search": "Pesquisar ou criar",
+ "filter_modal.select_filter.subtitle": "Utilize uma categoria existente ou crie uma nova",
+ "filter_modal.select_filter.title": "Filtrar esta publicação",
+ "filter_modal.title.status": "Filtrar uma publicação",
"follow_recommendations.done": "Concluído",
"follow_recommendations.heading": "Siga pessoas das quais gostaria de ver publicações! Aqui estão algumas sugestões.",
"follow_recommendations.lead": "As publicações das pessoas que segue serão exibidos em ordem cronológica na sua página inicial. Não tenha medo de cometer erros, você pode deixar de seguir as pessoas tão facilmente a qualquer momento!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primeiros passos",
"getting_started.invite": "Convidar pessoas",
"getting_started.open_source_notice": "Mastodon é um software de código aberto. Podes contribuir ou reportar problemas no the computer lab do projeto: {github}.",
+ "getting_started.privacy_policy": "Política de Privacidade",
"getting_started.security": "Segurança",
- "getting_started.terms": "Termos de serviço",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sem {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Qualquer destes",
"hashtag.column_settings.tag_mode.none": "Nenhum destes",
"hashtag.column_settings.tag_toggle": "Incluir etiquetas adicionais para esta coluna",
+ "hashtag.follow": "Seguir hashtag",
+ "hashtag.unfollow": "Parar de seguir hashtag",
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar boosts",
"home.column_settings.show_replies": "Mostrar respostas",
@@ -366,7 +386,7 @@
"poll.closed": "Fechado",
"poll.refresh": "Recarregar",
"poll.total_people": "{count, plural, one {# pessoa} other {# pessoas}}",
- "poll.total_votes": "{contar, plural, um {# vote} outro {# votes}}",
+ "poll.total_votes": "{count, plural, one {# voto} other {# votos}}",
"poll.vote": "Votar",
"poll.voted": "Votaste nesta resposta",
"poll.votes": "{votes, plural, one {# voto } other {# votos}}",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Não foi possível encontrar resultados para as expressões pesquisadas",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "A pesquisa de toots pelo seu conteúdo não está disponível nesta instância Mastodon.",
+ "search_results.title": "Pesquisar por {q}",
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
+ "sign_in_banner.create_account": "Criar conta",
+ "sign_in_banner.sign_in": "Iniciar sessão",
+ "sign_in_banner.text": "Inicie sessão para seguir perfis ou hashtags, favoritos, partilhar e responder às publicações ou interagir através da sua conta noutro servidor.",
"status.admin_account": "Abrir a interface de moderação para @{name}",
"status.admin_status": "Abrir esta publicação na interface de moderação",
"status.block": "Bloquear @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Editado {count, plural,one {{count} vez} other {{count} vezes}}",
"status.embed": "Incorporar",
"status.favourite": "Adicionar aos favoritos",
+ "status.filter": "Filtrar esta publicação",
"status.filtered": "Filtrada",
"status.hide": "Esconder publicação",
"status.history.created": "{name} criado em {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Mostrar menos para todas",
"status.show_more": "Mostrar mais",
"status.show_more_all": "Mostrar mais para todas",
+ "status.show_original": "Mostrar original",
"status.show_thread": "Mostrar conversa",
+ "status.translate": "Traduzir",
+ "status.translated_from": "Traduzido de {lang}",
"status.uncached_media_warning": "Não disponível",
"status.unmute_conversation": "Deixar de silenciar esta conversa",
"status.unpin": "Não fixar no perfil",
+ "subscribed_languages.lead": "Após a alteração, apenas as publicações nos idiomas selecionados aparecerão na sua página inicial e listas. Não selecione nenhuma para receber publicações de todos os idiomas.",
+ "subscribed_languages.save": "Guardar alterações",
+ "subscribed_languages.target": "Alterar idiomas subscritos para {target}",
"suggestions.dismiss": "Dispensar a sugestão",
"suggestions.header": "Tu podes estar interessado em…",
"tabs_bar.federated_timeline": "Federada",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Seguidores",
"timeline_hint.resources.follows": "Seguindo",
"timeline_hint.resources.statuses": "Toots antigos",
- "trends.counter_by_accounts": "{count, plural, one {{counter} pessoa} other {{counter} pessoas}} a conversar",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} pessoa} other {{counter} pessoas}} {days, plural, one {no último dia} other {nos últimos {days} dias}}",
"trends.trending_now": "Tendências atuais",
"ui.beforeunload": "O teu rascunho será perdido se abandonares o Mastodon.",
"units.short.billion": "{count}MM",
diff --git a/app/javascript/mastodon/locales/ro.json b/app/javascript/mastodon/locales/ro.json
index 2b49e6912..dcc76ad57 100644
--- a/app/javascript/mastodon/locales/ro.json
+++ b/app/javascript/mastodon/locales/ro.json
@@ -24,6 +24,7 @@
"account.follows_you": "Este abonat la tine",
"account.hide_reblogs": "Ascunde distribuirile de la @{name}",
"account.joined": "S-a înscris în {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Proprietatea acestui link a fost verificată pe {date}",
"account.locked_info": "Acest profil este privat. Această persoană aprobă manual conturile care se abonează la ea.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Anunț",
"attachments_list.unprocessed": "(neprocesate)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} pe săptămână",
"boost_modal.combo": "Poți apăsa {combo} pentru a sări peste asta data viitoare",
"bundle_column_error.body": "A apărut o eroare la încărcarea acestui element.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Terminat",
"follow_recommendations.heading": "Urmărește persoanele ale căror postări te-ar interesa! Iată câteva sugestii.",
"follow_recommendations.lead": "Postările de la persoanele la care te-ai abonat vor apărea în ordine cronologică în cronologia principală. Nu-ți fie teamă să faci greșeli, poți să te dezabonezi oricând de la ei la fel de ușor!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Primii pași",
"getting_started.invite": "Invită persoane",
"getting_started.open_source_notice": "Mastodon este un software cu sursă deschisă (open source). Poți contribui la dezvoltarea lui sau raporta probleme pe the computer lab la {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Setări cont",
- "getting_started.terms": "Termeni și condiții",
"hashtag.column_header.tag_mode.all": "și {additional}",
"hashtag.column_header.tag_mode.any": "sau {additional}",
"hashtag.column_header.tag_mode.none": "fără {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Oricare din acestea",
"hashtag.column_settings.tag_mode.none": "Niciuna dintre acestea",
"hashtag.column_settings.tag_toggle": "Adaugă etichete suplimentare pentru această coloană",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "De bază",
"home.column_settings.show_reblogs": "Afișează distribuirile",
"home.column_settings.show_replies": "Afișează răspunsurile",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Postări",
"search_results.statuses_fts_disabled": "Căutarea de postări după conținutul lor nu este activată pe acest server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {rezultat} other {rezultate}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Deschide interfața de moderare pentru @{name}",
"status.admin_status": "Deschide această stare în interfața de moderare",
"status.block": "Blochează pe @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Înglobează",
"status.favourite": "Favorite",
+ "status.filter": "Filter this post",
"status.filtered": "Sortate",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Arată mai puțin pentru toți",
"status.show_more": "Arată mai mult",
"status.show_more_all": "Arată mai mult pentru toți",
+ "status.show_original": "Show original",
"status.show_thread": "Arată discuția",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Indisponibil",
"status.unmute_conversation": "Repornește conversația",
"status.unpin": "Eliberează din profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Omite sugestia",
"suggestions.header": "Ai putea fi interesat de…",
"tabs_bar.federated_timeline": "Global",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Urmăritori",
"timeline_hint.resources.follows": "Urmăriri",
"timeline_hint.resources.statuses": "Postări mai vechi",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persoană postează} other {{counter} persoane postează}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "În tendință acum",
"ui.beforeunload": "Postarea se va pierde dacă părăsești pagina.",
"units.short.billion": "{count}Mld",
diff --git a/app/javascript/mastodon/locales/ru.json b/app/javascript/mastodon/locales/ru.json
index 85be63bfc..d479fb9bc 100644
--- a/app/javascript/mastodon/locales/ru.json
+++ b/app/javascript/mastodon/locales/ru.json
@@ -7,12 +7,12 @@
"account.block_domain": "Заблокировать {domain}",
"account.blocked": "Заблокирован(а)",
"account.browse_more_on_origin_server": "Посмотреть в оригинальном профиле",
- "account.cancel_follow_request": "Отменить запрос",
+ "account.cancel_follow_request": "Отменить подписку",
"account.direct": "Написать @{name}",
- "account.disable_notifications": "Отключить уведомления от @{name}",
+ "account.disable_notifications": "Не уведомлять о постах от @{name}",
"account.domain_blocked": "Домен заблокирован",
"account.edit_profile": "Редактировать профиль",
- "account.enable_notifications": "Включить уведомления для @{name}",
+ "account.enable_notifications": "Уведомлять о постах от @{name}",
"account.endorse": "Рекомендовать в профиле",
"account.follow": "Подписаться",
"account.followers": "Подписчики",
@@ -24,13 +24,14 @@
"account.follows_you": "Подписан(а) на вас",
"account.hide_reblogs": "Скрыть продвижения от @{name}",
"account.joined": "Зарегистрирован(а) с {date}",
+ "account.languages": "Изменить языки подписки",
"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_notifications": "Игнорировать уведомления от @{name}",
"account.muted": "Игнорируется",
"account.posts": "Посты",
"account.posts_with_replies": "Посты и ответы",
@@ -44,7 +45,7 @@
"account.unblock_short": "Разблокировать",
"account.unendorse": "Не рекомендовать в профиле",
"account.unfollow": "Отписаться",
- "account.unmute": "Не игнорировать @{name}",
+ "account.unmute": "Убрать {name} из игнорируемых",
"account.unmute_notifications": "Показывать уведомления от @{name}",
"account.unmute_short": "Не игнорировать",
"account_note.placeholder": "Текст заметки",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Упс!",
"announcement.announcement": "Объявление",
"attachments_list.unprocessed": "(не обработан)",
+ "audio.hide": "Скрыть аудио",
"autosuggest_hashtag.per_week": "{count} / неделю",
"boost_modal.combo": "{combo}, чтобы пропустить это в следующий раз",
"bundle_column_error.body": "Что-то пошло не так при загрузке этого компонента.",
@@ -126,7 +128,7 @@
"confirmations.discard_edit_media.confirm": "Отменить",
"confirmations.discard_edit_media.message": "У вас есть несохранённые изменения описания мультимедиа или предпросмотра, отменить их?",
"confirmations.domain_block.confirm": "Да, заблокировать узел",
- "confirmations.domain_block.message": "Вы точно уверены, что хотите скрыть все посты с узла {domain}? В большинстве случаев пары блокировок и скрытий вполне достаточно.\n\nПри блокировке узла, вы перестанете получать уведомления оттуда, все посты будут скрыты из публичных лент, а подписчики убраны.",
+ "confirmations.domain_block.message": "Вы точно уверены, что хотите заблокировать {domain} полностью? В большинстве случаев нескольких блокировок и игнорирований вполне достаточно. Вы перестанете видеть публичную ленту и уведомления оттуда. Ваши подписчики из этого домена будут удалены.",
"confirmations.logout.confirm": "Выйти",
"confirmations.logout.message": "Вы уверены, что хотите выйти?",
"confirmations.mute.confirm": "Игнорировать",
@@ -196,6 +198,22 @@
"explore.trending_links": "Новости",
"explore.trending_statuses": "Посты",
"explore.trending_tags": "Хэштеги",
+ "filter_modal.added.context_mismatch_explanation": "Эта категория не применяется к контексту, в котором вы получили доступ к этому посту. Если вы хотите, чтобы пост был отфильтрован в этом контексте, вам придётся отредактировать фильтр.",
+ "filter_modal.added.context_mismatch_title": "Несоответствие контекста!",
+ "filter_modal.added.expired_explanation": "Эта категория фильтра устарела, вам нужно изменить дату окончания фильтра, чтобы применить его.",
+ "filter_modal.added.expired_title": "Истёкший фильтр!",
+ "filter_modal.added.review_and_configure": "Для просмотра и настройки этой категории фильтра, перейдите в {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Настройки фильтра",
+ "filter_modal.added.settings_link": "страница настроек",
+ "filter_modal.added.short_explanation": "Этот пост был добавлен в следующую категорию фильтра: {title}.",
+ "filter_modal.added.title": "Фильтр добавлен!",
+ "filter_modal.select_filter.context_mismatch": "не применяется к этому контексту",
+ "filter_modal.select_filter.expired": "истекло",
+ "filter_modal.select_filter.prompt_new": "Новая категория: {name}",
+ "filter_modal.select_filter.search": "Поиск или создание",
+ "filter_modal.select_filter.subtitle": "Используйте существующую категорию или создайте новую",
+ "filter_modal.select_filter.title": "Фильтровать этот пост",
+ "filter_modal.title.status": "Фильтровать пост",
"follow_recommendations.done": "Готово",
"follow_recommendations.heading": "Подпишитесь на людей, чьи посты вы бы хотели видеть. Вот несколько предложений.",
"follow_recommendations.lead": "Посты от людей, на которых вы подписаны, будут отображаться в вашей домашней ленте в хронологическом порядке. Не бойтесь ошибиться — вы так же легко сможете отписаться от них в любое время!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Начать",
"getting_started.invite": "Пригласить людей",
"getting_started.open_source_notice": "Mastodon — сервис с открытым исходным кодом. Вы можете внести вклад или сообщить о проблемах на the computer lab: {github}.",
+ "getting_started.privacy_policy": "Политика конфиденциальности",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Любой из списка",
"hashtag.column_settings.tag_mode.none": "Ни один из списка",
"hashtag.column_settings.tag_toggle": "Включить дополнительные теги для этой колонки",
+ "hashtag.follow": "Подписаться на новые посты",
+ "hashtag.unfollow": "Отписаться",
"home.column_settings.basic": "Основные",
"home.column_settings.show_reblogs": "Показывать продвижения",
"home.column_settings.show_replies": "Показывать ответы",
@@ -246,7 +266,7 @@
"keyboard_shortcuts.legend": "показать это окно",
"keyboard_shortcuts.local": "перейти к локальной ленте",
"keyboard_shortcuts.mention": "упомянуть автора поста",
- "keyboard_shortcuts.muted": "открыть список игнорируемых",
+ "keyboard_shortcuts.muted": "Открыть список игнорируемых",
"keyboard_shortcuts.my_profile": "перейти к своему профилю",
"keyboard_shortcuts.notifications": "перейти к уведомлениям",
"keyboard_shortcuts.open_media": "открыть вложение",
@@ -308,7 +328,7 @@
"navigation_bar.keyboard_shortcuts": "Сочетания клавиш",
"navigation_bar.lists": "Списки",
"navigation_bar.logout": "Выйти",
- "navigation_bar.mutes": "Список игнорируемых пользователей",
+ "navigation_bar.mutes": "Игнорируемые пользователи",
"navigation_bar.personal": "Личное",
"navigation_bar.pins": "Закреплённые посты",
"navigation_bar.preferences": "Настройки",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Ничего не найдено по этому запросу",
"search_results.statuses": "Посты",
"search_results.statuses_fts_disabled": "Поиск постов по их содержанию не поддерживается данным сервером Mastodon.",
+ "search_results.title": "Поиск {q}",
"search_results.total": "{count, number} {count, plural, one {результат} few {результата} many {результатов} other {результатов}}",
+ "sign_in_banner.create_account": "Создать учётную запись",
+ "sign_in_banner.sign_in": "Войти",
+ "sign_in_banner.text": "Войдите, чтобы следить за профилями, хэштегами или избранным, делиться сообщениями и отвечать на них или взаимодействовать с вашей учётной записью на другом сервере.",
"status.admin_account": "Открыть интерфейс модератора для @{name}",
"status.admin_status": "Открыть этот пост в интерфейсе модератора",
"status.block": "Заблокировать @{name}",
@@ -467,10 +491,11 @@
"status.edited_x_times": "{count, plural, one {{count} изменение} many {{count} изменений} other {{count} изменения}}",
"status.embed": "Встроить на свой сайт",
"status.favourite": "В избранное",
+ "status.filter": "Фильтровать этот пост",
"status.filtered": "Отфильтровано",
"status.hide": "Скрыть пост",
"status.history.created": "{name} создал {date}",
- "status.history.edited": "{name} отредактировал {date}",
+ "status.history.edited": "{name} отредактировал(а) {date}",
"status.load_more": "Загрузить остальное",
"status.media_hidden": "Файл скрыт",
"status.mention": "Упомянуть @{name}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Свернуть все спойлеры в ветке",
"status.show_more": "Развернуть",
"status.show_more_all": "Развернуть все спойлеры в ветке",
+ "status.show_original": "Показать оригинал",
"status.show_thread": "Показать обсуждение",
+ "status.translate": "Перевод",
+ "status.translated_from": "Переведено с {lang}",
"status.uncached_media_warning": "Невозможно отобразить файл",
"status.unmute_conversation": "Не игнорировать обсуждение",
"status.unpin": "Открепить от профиля",
+ "subscribed_languages.lead": "Посты только на выбранных языках будут отображаться на вашей домашней странице и в списке лент после изменения. Выберите «Нет», чтобы получать посты на всех языках.",
+ "subscribed_languages.save": "Сохранить изменения",
+ "subscribed_languages.target": "Изменить языки подписки для {target}",
"suggestions.dismiss": "Удалить предложение",
"suggestions.header": "Вам может быть интересно…",
"tabs_bar.federated_timeline": "Глобальная",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "подписчиков",
"timeline_hint.resources.follows": "подписки",
"timeline_hint.resources.statuses": "прошлые посты",
- "trends.counter_by_accounts": "{count, plural, one {{counter} человек обсуждает} few {{counter} человека обсуждают} many {{counter} человек обсуждают} other {{counter} человека обсуждает}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} человек} few {{counter} человека} many {{counter} человек} other {{counter} человека}} на протяжении {days, plural, =1 {последнего дня} one {последнего {days} дня} few {последних {days} дней} many {последних {days} дней} other {последних {days} дней}}",
"trends.trending_now": "Самое актуальное",
"ui.beforeunload": "Ваш черновик будет утерян, если вы покинете Mastodon.",
"units.short.billion": "{count} млрд",
diff --git a/app/javascript/mastodon/locales/sa.json b/app/javascript/mastodon/locales/sa.json
index 30a143667..6098af08b 100644
--- a/app/javascript/mastodon/locales/sa.json
+++ b/app/javascript/mastodon/locales/sa.json
@@ -24,6 +24,7 @@
"account.follows_you": "त्वामनुसरति",
"account.hide_reblogs": "@{name} मित्रस्य प्रकाशनानि छिद्यन्ताम्",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "अन्तर्जालस्थानस्यास्य स्वामित्वं परीक्षितमासीत् {date} दिने",
"account.locked_info": "एतस्या लेखायाः गुह्यता \"निषिद्ध\"इति वर्तते । स्वामी स्वयञ्चिनोति कोऽनुसर्ता भवितुमर्हतीति ।",
"account.media": "सामग्री",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "अरे !",
"announcement.announcement": "उद्घोषणा",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} प्रतिसप्ताहे",
"boost_modal.combo": "{combo} अत्र स्प्रष्टुं शक्यते, त्यक्तुमेतमन्यस्मिन् समये",
"bundle_column_error.body": "विषयस्याऽऽरोपणे कश्चिद्दोषो जातः",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/sc.json b/app/javascript/mastodon/locales/sc.json
index 957b114c0..50f6a0b80 100644
--- a/app/javascript/mastodon/locales/sc.json
+++ b/app/javascript/mastodon/locales/sc.json
@@ -24,6 +24,7 @@
"account.follows_you": "Ti sighit",
"account.hide_reblogs": "Cua is cumpartziduras de @{name}",
"account.joined": "At aderidu su {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Sa propiedade de custu ligòngiu est istada controllada su {date}",
"account.locked_info": "S'istadu de riservadesa de custu contu est istadu cunfiguradu comente blocadu. Sa persone chi tenet sa propiedade revisionat a manu chie dda podet sighire.",
"account.media": "Cuntenutu multimediale",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oh!",
"announcement.announcement": "Annùntziu",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} a sa chida",
"boost_modal.combo": "Podes incarcare {combo} pro brincare custu sa borta chi benit",
"bundle_column_error.body": "Faddina in su carrigamentu de custu cumponente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Fatu",
"follow_recommendations.heading": "Sighi gente de chie boles bìdere is publicatziones! Càstia custos cussìgios.",
"follow_recommendations.lead": "Is messàgios de gente a sa chi ses sighende ant a èssere ammustrados in òrdine cronològicu in sa lìnia de tempus printzipale tua. Non timas de fàghere errores, acabbare de sighire gente est fàtzile in cale si siat momentu!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Comente cumintzare",
"getting_started.invite": "Invita gente",
"getting_started.open_source_notice": "Mastodon est de còdighe abertu. Bi podes contribuire o sinnalare faddinas in {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Cunfiguratziones de su contu",
- "getting_started.terms": "Cunditziones de su servìtziu",
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sena {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cale si siat de custos",
"hashtag.column_settings.tag_mode.none": "Perunu de custos",
"hashtag.column_settings.tag_toggle": "Include etichetas additzionales pro custa colunna",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Bàsicu",
"home.column_settings.show_reblogs": "Ammustra is cumpartziduras",
"home.column_settings.show_replies": "Ammustra rispostas",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Publicatziones",
"search_results.statuses_fts_disabled": "Sa chirca de publicatziones pro su cuntenutu issoro no est abilitada in custu serbidore de Mastodon.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {resurtadu} other {resurtados}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Aberi s'interfache de moderatzione pro @{name}",
"status.admin_status": "Aberi custa publicatzione in s'interfache de moderatzione",
"status.block": "Bloca a @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Afissa",
"status.favourite": "Preferidos",
+ "status.filter": "Filter this post",
"status.filtered": "Filtradu",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Ammustra·nde prus pagu pro totus",
"status.show_more": "Ammustra·nde prus",
"status.show_more_all": "Ammustra·nde prus pro totus",
+ "status.show_original": "Show original",
"status.show_thread": "Ammustra su tema",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "No est a disponimentu",
"status.unmute_conversation": "Torra a ativare s'arresonada",
"status.unpin": "Boga dae pitzu de su profilu",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Iscarta cussìgiu",
"suggestions.header": "Est possìbile chi tèngias interessu in…",
"tabs_bar.federated_timeline": "Federada",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sighiduras",
"timeline_hint.resources.follows": "Sighende",
"timeline_hint.resources.statuses": "Publicatziones prus betzas",
- "trends.counter_by_accounts": "{count, plural, one {{counter} persone} other {{counter} persones}} chistionende",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Est tendèntzia immoe",
"ui.beforeunload": "S'abbotzu tuo at a èssere pèrdidu si essis dae Mastodon.",
"units.short.billion": "{count}Mrd",
diff --git a/app/javascript/mastodon/locales/si.json b/app/javascript/mastodon/locales/si.json
index 155978b5b..6970a0c05 100644
--- a/app/javascript/mastodon/locales/si.json
+++ b/app/javascript/mastodon/locales/si.json
@@ -24,7 +24,8 @@
"account.follows_you": "ඔබව අනුගමනය කරයි",
"account.hide_reblogs": "@{name}සිට බූස්ට් සඟවන්න",
"account.joined": "{date} එක් වී ඇත",
- "account.link_verified_on": "මෙම සබැඳියේ හිමිකාරිත්වය {date} දින පරීක්ෂා කරන ලදී",
+ "account.languages": "Change subscribed languages",
+ "account.link_verified_on": "මෙම සබැඳියේ අයිතිය {date} දී පරීක්ෂා කෙරිණි",
"account.locked_info": "මෙම ගිණුමේ රහස්යතා තත්ත්වය අගුලු දමා ඇත. හිමිකරු ඔවුන් අනුගමනය කළ හැක්කේ කාටදැයි හස්තීයව සමාලෝචනය කරයි.",
"account.media": "මාධ්යය",
"account.mention": "@{name} සැඳහුම",
@@ -32,7 +33,7 @@
"account.mute": "@{name} නිහඬ කරන්න",
"account.mute_notifications": "@{name}වෙතින් දැනුම්දීම් නිහඬ කරන්න",
"account.muted": "නිහඬ කළා",
- "account.posts": "ටූට්ස්",
+ "account.posts": "ලිපි",
"account.posts_with_replies": "ටූට්ස් සහ පිළිතුරු",
"account.report": "@{name} වාර්තා කරන්න",
"account.requested": "අනුමැතිය බලාපොරොත්තුවෙන්",
@@ -41,24 +42,25 @@
"account.statuses_counter": "{count, plural, one {{counter} ටූට්} other {{counter} ටූට්ස්}}",
"account.unblock": "@{name} අනවහිර කරන්න",
"account.unblock_domain": "{domain} වසම අනවහිර කරන්න",
- "account.unblock_short": "අවහිර කිරීම ඉවත් කරන්න",
+ "account.unblock_short": "අනවහිර",
"account.unendorse": "පැතිකඩෙහි විශේෂාංග නොකරන්න",
"account.unfollow": "අනුගමනය නොකරන්න",
"account.unmute": "@{name}නිහඬ නොකරන්න",
"account.unmute_notifications": "@{name}වෙතින් දැනුම්දීම් නිහඬ නොකරන්න",
- "account.unmute_short": "නිහඬ නොකරන්න",
- "account_note.placeholder": "සටහන එකතු කිරීමට ක්ලික් කරන්න",
+ "account.unmute_short": "නොනිහඬ",
+ "account_note.placeholder": "සටහන යෙදීමට ඔබන්න",
"admin.dashboard.daily_retention": "ලියාපදිංචි වීමෙන් පසු දිනකට පරිශීලක රඳවා ගැනීමේ අනුපාතය",
"admin.dashboard.monthly_retention": "ලියාපදිංචි වීමෙන් පසු මාසය අනුව පරිශීලක රඳවා ගැනීමේ අනුපාතය",
"admin.dashboard.retention.average": "සාමාන්යය",
"admin.dashboard.retention.cohort": "ලියාපදිංචි වීමේ මාසය",
"admin.dashboard.retention.cohort_size": "නව පරිශීලකයින්",
- "alert.rate_limited.message": "කරුණාකර {retry_time, time, medium} ට පසු නැවත උත්සාහ කරන්න.",
+ "alert.rate_limited.message": "{retry_time, time, medium} කට පසුව උත්සාහ කරන්න.",
"alert.rate_limited.title": "මිල සීමා සහිතයි",
"alert.unexpected.message": "අනපේක්ෂිත දෝෂයක් ඇතිවුනා.",
"alert.unexpected.title": "අපොයි!",
"announcement.announcement": "නිවේදනය",
"attachments_list.unprocessed": "(සැකසුම් නොකළ)",
+ "audio.hide": "හඬපටය සඟවන්න",
"autosuggest_hashtag.per_week": "සතියකට {count}",
"boost_modal.combo": "ඊළඟ වතාවේ මෙය මඟ හැරීමට ඔබට {combo} එබිය හැක",
"bundle_column_error.body": "මෙම සංරචකය පූරණය කිරීමේදී යම් දෙයක් වැරදී ඇත.",
@@ -76,23 +78,23 @@
"column.favourites": "ප්රියතමයන්",
"column.follow_requests": "ඉල්ලීම් අනුගමනය කරන්න",
"column.home": "මුල් පිටුව",
- "column.lists": "ලැයිස්තුව",
- "column.mutes": "සමඟ කළ පරිශීලකයන්",
+ "column.lists": "ලේඛන",
+ "column.mutes": "නිහඬ කළ අය",
"column.notifications": "දැනුම්දීම්",
- "column.pins": "පින් කළ දත",
+ "column.pins": "ඇමිණූ ලිපි",
"column.public": "ෆෙඩරේටඩ් කාලරේඛාව",
"column_back_button.label": "ආපසු",
"column_header.hide_settings": "සැකසුම් සඟවන්න",
"column_header.moveLeft_settings": "තීරුව වමට ගෙනයන්න",
"column_header.moveRight_settings": "තීරුව දකුණට ගෙනයන්න",
- "column_header.pin": "පින් කරන්න",
+ "column_header.pin": "අමුණන්න",
"column_header.show_settings": "සැකසුම් පෙන්වන්න",
- "column_header.unpin": "ඇමුණුම ඉවත් කරන්න",
+ "column_header.unpin": "ගළවන්න",
"column_subheading.settings": "සැකසුම්",
"community.column_settings.local_only": "ස්ථානීයව පමණයි",
"community.column_settings.media_only": "මාධ්ය පමණයි",
"community.column_settings.remote_only": "දුරස්ථව පමණයි",
- "compose.language.change": "භාෂාව වෙනස් කරන්න",
+ "compose.language.change": "භාෂාව සංශෝධනය",
"compose.language.search": "භාෂා සොයන්න...",
"compose_form.direct_message_warning_learn_more": "තව දැනගන්න",
"compose_form.encryption_warning": "Mastodon හි පළ කිරීම් අන්තයේ සිට අවසානය දක්වා සංකේතනය කර නොමැත. Mastodon හරහා කිසිදු සංවේදී තොරතුරක් බෙදා නොගන්න.",
@@ -100,13 +102,13 @@
"compose_form.lock_disclaimer": "ඔබගේ ගිණුම {locked}නොවේ. ඔබගේ අනුගාමිකයින්ට පමණක් පළ කිරීම් බැලීමට ඕනෑම කෙනෙකුට ඔබව අනුගමනය කළ හැක.",
"compose_form.lock_disclaimer.lock": "අගුළු දමා ඇත",
"compose_form.placeholder": "ඔබගේ සිතුවිලි මොනවාද?",
- "compose_form.poll.add_option": "තේරීමක් එකතු කරන්න",
+ "compose_form.poll.add_option": "තේරීමක් යොදන්න",
"compose_form.poll.duration": "මත විමසීමේ කාලය",
"compose_form.poll.option_placeholder": "තේරීම {number}",
"compose_form.poll.remove_option": "මෙම ඉවත් කරන්න",
"compose_form.poll.switch_to_multiple": "තේරීම් කිහිපයක් ඉඩ දීම සඳහා මත විමසුම වෙනස් කරන්න",
"compose_form.poll.switch_to_single": "තනි තේරීමකට ඉඩ දීම සඳහා මත විමසුම වෙනස් කරන්න",
- "compose_form.publish": "ප්රකාශ කරන්න",
+ "compose_form.publish": "ප්රකාශනය",
"compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "වෙනස්කම් සුරකින්න",
"compose_form.sensitive.hide": "{count, plural, one {මාධ්ය සංවේදී ලෙස සලකුණු කරන්න} other {මාධ්ය සංවේදී ලෙස සලකුණු කරන්න}}",
@@ -114,11 +116,11 @@
"compose_form.sensitive.unmarked": "{count, plural, one {මාධ්ය සංවේදී ලෙස සලකුණු කර නැත} other {මාධ්ය සංවේදී ලෙස සලකුණු කර නැත}}",
"compose_form.spoiler.marked": "අනතුරු ඇඟවීම පිටුපස පෙළ සඟවා ඇත",
"compose_form.spoiler.unmarked": "ප්රයෝජනය සඟවා නැත",
- "compose_form.spoiler_placeholder": "ඔබගේ අවවාදය මෙහි ලියන්න",
+ "compose_form.spoiler_placeholder": "අවවාදය මෙහි ලියන්න",
"confirmation_modal.cancel": "අවලංගු",
"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": "මකන්න",
@@ -139,23 +141,23 @@
"confirmations.unfollow.confirm": "අනුගමනය නොකරන්න",
"confirmations.unfollow.message": "ඔබට {name}අනුගමනය නොකිරීමට අවශ්ය බව විශ්වාසද?",
"conversation.delete": "සංවාදය මකන්න",
- "conversation.mark_as_read": "කියවූ ලෙස සලකුණු කරන්න",
+ "conversation.mark_as_read": "කියවූ බව යොදන්න",
"conversation.open": "සංවාදය බලන්න",
"conversation.with": "{names} සමඟ",
"directory.federated": "දන්නා fediverse වලින්",
- "directory.local": "{domain} පමණි",
+ "directory.local": "{domain} වෙතින් පමණි",
"directory.new_arrivals": "නව පැමිණීම්",
- "directory.recently_active": "මෑතකදී ක්රියාකාරී",
+ "directory.recently_active": "මෑත දී සක්රියයි",
"embed.instructions": "පහත කේතය පිටපත් කිරීමෙන් මෙම තත්ත්වය ඔබේ වෙබ් අඩවියට ඇතුළත් කරන්න.",
"embed.preview": "එය පෙනෙන්නේ කෙසේද යන්න මෙන්න:",
"emoji_button.activity": "ක්රියාකාරකම",
- "emoji_button.clear": "පැහැදිලිව",
+ "emoji_button.clear": "මකන්න",
"emoji_button.custom": "අභිරුචි",
"emoji_button.flags": "කොඩි",
"emoji_button.food": "ආහාර සහ පාන",
- "emoji_button.label": "ඉමොජි ඇතුළු කරන්න",
+ "emoji_button.label": "ඉමොජි යොදන්න",
"emoji_button.nature": "ස්වභාවික",
- "emoji_button.not_found": "ගැළපෙන ඉමෝජි හමු නොවීය",
+ "emoji_button.not_found": "ගැළපෙන ඉමෝජි හමු නොවිණි",
"emoji_button.objects": "වස්තූන්",
"emoji_button.people": "මිනිසුන්",
"emoji_button.recent": "නිතර භාවිතා වූ",
@@ -165,12 +167,12 @@
"emoji_button.travel": "චාරිකා සහ ස්ථාන",
"empty_column.account_suspended": "ගිණුම අත්හිටුවා ඇත",
"empty_column.account_timeline": "මෙහි දත් නැත!",
- "empty_column.account_unavailable": "පැතිකඩ නොමැත",
- "empty_column.blocks": "ඔබ තවමත් කිසිදු පරිශීලකයෙකු අවහිර කර නැත.",
+ "empty_column.account_unavailable": "පැතිකඩ නොතිබේ",
+ "empty_column.blocks": "කිසිදු පරිශීලකයෙකු අවහිර කර නැත.",
"empty_column.bookmarked_statuses": "ඔබට තවමත් පිටු සලකුණු කළ මෙවලම් කිසිවක් නොමැත. ඔබ එකක් පිටු සලකුණු කළ විට, එය මෙහි පෙන්වනු ඇත.",
"empty_column.community": "දේශීය කාලරේඛාව හිස් ය. පන්දුව පෙරළීමට ප්රසිද්ධියේ යමක් ලියන්න!",
"empty_column.direct": "ඔබට තවමත් සෘජු පණිවිඩ කිසිවක් නොමැත. ඔබ එකක් යවන විට හෝ ලැබුණු විට, එය මෙහි පෙන්වනු ඇත.",
- "empty_column.domain_blocks": "අවහිර කළ වසම් නොමැත.",
+ "empty_column.domain_blocks": "අවහිර කරන ලද වසම් නැත.",
"empty_column.explore_statuses": "දැන් කිසිවක් නැඹුරු නොවේ. පසුව නැවත පරීක්ෂා කරන්න!",
"empty_column.favourited_statuses": "ඔබට තවමත් ප්රියතම දත් කිසිවක් නැත. ඔබ කැමති එකක් වූ විට, එය මෙහි පෙන්වනු ඇත.",
"empty_column.favourites": "කිසිවෙකු තවමත් මෙම මෙවලමට ප්රිය කර නැත. යමෙකු එසේ කළ විට, ඔවුන් මෙහි පෙන්වනු ඇත.",
@@ -189,46 +191,64 @@
"error.unexpected_crash.next_steps": "පිටුව නැවුම් කිරීමට උත්සාහ කරන්න. එය උදව් නොකළහොත්, ඔබට තවමත් වෙනත් බ්රවුසරයක් හෝ ස්වදේශීය යෙදුමක් හරහා Mastodon භාවිත කිරීමට හැකි වේ.",
"error.unexpected_crash.next_steps_addons": "ඒවා අක්රිය කර පිටුව නැවුම් කිරීමට උත්සාහ කරන්න. එය උදව් නොකළහොත්, ඔබට තවමත් වෙනත් බ්රවුසරයක් හෝ ස්වදේශීය යෙදුමක් හරහා Mastodon භාවිත කිරීමට හැකි වේ.",
"errors.unexpected_crash.copy_stacktrace": "ස්ටැක්ට්රේස් පසුරු පුවරුවට පිටපත් කරන්න",
- "errors.unexpected_crash.report_issue": "ගැටලුව වාර්තා කරන්න",
+ "errors.unexpected_crash.report_issue": "ගැටළුව වාර්තාව",
"explore.search_results": "සෙවුම් ප්රතිඵල",
- "explore.suggested_follows": "ඔයා වෙනුවෙන්",
- "explore.title": "ගවේෂණය කරන්න",
+ "explore.suggested_follows": "ඔබට",
+ "explore.title": "ගවේශණය",
"explore.trending_links": "පුවත්",
- "explore.trending_statuses": "තනතුරු",
+ "explore.trending_statuses": "ලිපි",
"explore.trending_tags": "හැෂ් ටැග්",
- "follow_recommendations.done": "කළා",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "පෙරහන ඉකුත්ය!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "පෙරහන් සැකසුම්",
+ "filter_modal.added.settings_link": "සැකසුම් පිටුව",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "ඉකුත්ය",
+ "filter_modal.select_filter.prompt_new": "නව ප්රවර්ගය: {name}",
+ "filter_modal.select_filter.search": "සොයන්න හෝ සාදන්න",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
+ "follow_recommendations.done": "අහවරයි",
"follow_recommendations.heading": "ඔබ පළ කිරීම් බැලීමට කැමති පුද්ගලයින් අනුගමනය කරන්න! මෙන්න යෝජනා කිහිපයක්.",
"follow_recommendations.lead": "ඔබ අනුගමන කරන පුද්ගලයින්ගේ පළ කිරීම් ඔබගේ නිවසේ සංග්රහයේ කාලානුක්රමික අනුපිළිවෙලට පෙන්වනු ඇත. වැරදි කිරීමට බිය නොවන්න, ඔබට ඕනෑම වේලාවක පහසුවෙන් මිනිසුන් අනුගමනය කළ නොහැක!",
"follow_request.authorize": "අවසරලත්",
- "follow_request.reject": "ප්රතික්ෂේප",
+ "follow_request.reject": "ප්රතික්ෂේප",
"follow_requests.unlocked_explanation": "ඔබගේ ගිණුම අගුලු දමා නොතිබුණද, {domain} කාර්ය මණ්ඩලය සිතුවේ ඔබට මෙම ගිණුම් වලින් ලැබෙන ඉල්ලීම් හස්තීයව සමාලෝචනය කිරීමට අවශ්ය විය හැකි බවයි.",
"generic.saved": "සුරැකිණි",
"getting_started.developers": "සංවර්ධකයින්",
"getting_started.directory": "පැතිකඩ නාමාවලිය",
"getting_started.documentation": "ප්රලේඛනය",
- "getting_started.heading": "ඇරඹේ",
- "getting_started.invite": "මිනිසුන්ට ආරාධනා කරන්න",
+ "getting_started.heading": "පටන් ගන්න",
+ "getting_started.invite": "මිනිසුන්ට ආරාධනය",
"getting_started.open_source_notice": "Mastodon යනු විවෘත කේත මෘදුකාංගයකි. ඔබට the computer lab හි {github}ට දායක වීමට හෝ ගැටළු වාර්තා කිරීමට හැකිය.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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.no_options_message": "යෝජනා හමු නොවිණි",
"hashtag.column_settings.select.placeholder": "හැෂ් ටැග්…ඇතුලත් කරන්න",
- "hashtag.column_settings.tag_mode.all": "මේ වගේ",
+ "hashtag.column_settings.tag_mode.all": "මේ සියල්ලම",
"hashtag.column_settings.tag_mode.any": "ඇතුළත් එකක්",
"hashtag.column_settings.tag_mode.none": "මේ කිසිවක් නැත",
"hashtag.column_settings.tag_toggle": "මෙම තීරුවේ අමතර ටැග් ඇතුළත් කරන්න",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "මූලික",
"home.column_settings.show_reblogs": "බූස්ට් පෙන්වන්න",
- "home.column_settings.show_replies": "ප්රතිචාර පෙන්වන්න",
+ "home.column_settings.show_replies": "පිළිතුරු පෙන්වන්න",
"home.hide_announcements": "නිවේදන සඟවන්න",
"home.show_announcements": "නිවේදන පෙන්වන්න",
"intervals.full.days": "{number, plural, one {# දින} other {# දින}}",
"intervals.full.hours": "{number, plural, one {# පැය} other {# පැය}}",
"intervals.full.minutes": "{number, plural, one {විනාඩි #} other {# මිනිත්තු}}",
- "keyboard_shortcuts.back": "ආපසු සැරිසැරීමට",
+ "keyboard_shortcuts.back": "ආපසු යාත්රණය",
"keyboard_shortcuts.blocked": "අවහිර කළ පරිශීලක ලැයිස්තුව විවෘත කිරීමට",
"keyboard_shortcuts.boost": "වැඩි කිරීමට",
"keyboard_shortcuts.column": "එක් තීරුවක තත්ත්වය නාභිගත කිරීමට",
@@ -242,23 +262,23 @@
"keyboard_shortcuts.federated": "ෆෙඩරේටඩ් කාලරාමුව විවෘත කිරීමට",
"keyboard_shortcuts.heading": "යතුරුපුවරු කෙටිමං",
"keyboard_shortcuts.home": "නිවසේ කාලරේඛාව විවෘත කිරීමට",
- "keyboard_shortcuts.hotkey": "උණුසුම් යතුර",
+ "keyboard_shortcuts.hotkey": "උණු යතුර",
"keyboard_shortcuts.legend": "මෙම පුරාවෘත්තය ප්රදර්ශනය කිරීමට",
"keyboard_shortcuts.local": "දේශීය කාලරේඛාව විවෘත කිරීමට",
"keyboard_shortcuts.mention": "කතුවරයා සඳහන් කිරීමට",
"keyboard_shortcuts.muted": "නිශ්ශබ්ද පරිශීලක ලැයිස්තුව විවෘත කිරීමට",
- "keyboard_shortcuts.my_profile": "ඔබගේ පැතිකඩ විවෘත කිරීමට",
+ "keyboard_shortcuts.my_profile": "ඔබගේ පැතිකඩ අරින්න",
"keyboard_shortcuts.notifications": "දැනුම්දීම් තීරුව විවෘත කිරීමට",
- "keyboard_shortcuts.open_media": "මාධ්ය විවෘත කිරීමට",
+ "keyboard_shortcuts.open_media": "මාධ්ය අරින්න",
"keyboard_shortcuts.pinned": "පින් කළ මෙවලම් ලැයිස්තුව විවෘත කිරීමට",
- "keyboard_shortcuts.profile": "කර්තෘගේ පැතිකඩ විවෘත කිරීමට",
+ "keyboard_shortcuts.profile": "කතෘගේ පැතිකඩ අරින්න",
"keyboard_shortcuts.reply": "පිළිතුරු දීමට",
"keyboard_shortcuts.requests": "පහත ඉල්ලීම් ලැයිස්තුව විවෘත කිරීමට",
"keyboard_shortcuts.search": "සෙවුම් අවධානය යොමු කිරීමට",
"keyboard_shortcuts.spoilers": "CW ක්ෂේත්රය පෙන්වීමට/සැඟවීමට",
- "keyboard_shortcuts.start": "\"ආරම්භ කරන්න\" තීරුව විවෘත කිරීමට",
+ "keyboard_shortcuts.start": "\"පටන් ගන්න\" තීරුව අරින්න",
"keyboard_shortcuts.toggle_hidden": "CW පිටුපස පෙළ පෙන්වීමට/සැඟවීමට",
- "keyboard_shortcuts.toggle_sensitivity": "මාධ්ය පෙන්වීමට/සැඟවීමට",
+ "keyboard_shortcuts.toggle_sensitivity": "මාධ්ය පෙන්වන්න/සඟවන්න",
"keyboard_shortcuts.toot": "අලුත්ම ටූට් එකක් පටන් ගන්න",
"keyboard_shortcuts.unfocus": "අවධානය යොමු නොකිරීමට textarea/search රචනා කරන්න",
"keyboard_shortcuts.up": "ලැයිස්තුවේ ඉහළට යාමට",
@@ -269,10 +289,10 @@
"lightbox.previous": "පෙර",
"limited_account_hint.action": "කෙසේ හෝ පැතිකඩ පෙන්වන්න",
"limited_account_hint.title": "මෙම පැතිකඩ ඔබගේ සේවාදායකයේ පරිපාලකයින් විසින් සඟවා ඇත.",
- "lists.account.add": "ලැයිස්තුවට එකතු කරන්න",
- "lists.account.remove": "ලැයිස්තුවෙන් ඉවත්",
- "lists.delete": "ලැයිස්තුව මකන්න",
- "lists.edit": "ලැයිස්තුව සංස්කරණය කරන්න",
+ "lists.account.add": "ලේඛනයට දමන්න",
+ "lists.account.remove": "ලේඛනයෙන් ඉවතලන්න",
+ "lists.delete": "ලේඛනය මකන්න",
+ "lists.edit": "ලේඛනය සංස්කරණය",
"lists.edit.submit": "මාතෘකාව වෙනස් කරන්න",
"lists.new.create": "ලැයිස්තුව එකතු කරන්න",
"lists.new.title_placeholder": "නව ලැයිස්තු මාතෘකාව",
@@ -281,37 +301,37 @@
"lists.replies_policy.none": "කිසිවෙක් නැත",
"lists.replies_policy.title": "පිළිතුරු පෙන්වන්න:",
"lists.search": "ඔබ අනුගමනය කරන පුද්ගලයින් අතර සොයන්න",
- "lists.subheading": "ඔබේ ලැයිස්තු",
+ "lists.subheading": "ඔබගේ ලේඛන",
"load_pending": "{count, plural, one {# නව අයිතමයක්} other {නව අයිතම #ක්}}",
"loading_indicator.label": "පූරණය වෙමින්...",
"media_gallery.toggle_visible": "{number, plural, one {රූපය සඟවන්න} other {පින්තූර සඟවන්න}}",
- "missing_indicator.label": "හමු වුණේ නැහැ",
- "missing_indicator.sublabel": "මෙම සම්පත සොයාගත නොහැකි විය",
- "mute_modal.duration": "කාල සීමාව",
+ "missing_indicator.label": "හමු නොවිණි",
+ "missing_indicator.sublabel": "මෙම සම්පත හමු නොවිණි",
+ "mute_modal.duration": "පරාසය",
"mute_modal.hide_notifications": "මෙම පරිශීලකයාගෙන් දැනුම්දීම් සඟවන්නද?",
"mute_modal.indefinite": "අවිනිශ්චිත",
"navigation_bar.apps": "ජංගම යෙදුම්",
- "navigation_bar.blocks": "අවහිර කළ පරිශීලකයින්",
- "navigation_bar.bookmarks": "පොත් යොමු කරන්න",
+ "navigation_bar.blocks": "අවහිර කළ අය",
+ "navigation_bar.bookmarks": "පොත්යොමු",
"navigation_bar.community_timeline": "දේශීය කාලරේඛාව",
"navigation_bar.compose": "නව ටූට් සාදන්න",
"navigation_bar.direct": "සෘජු පණිවිඩ",
"navigation_bar.discover": "සොයා ගන්න",
- "navigation_bar.domain_blocks": "සැඟවුණු වසම්",
+ "navigation_bar.domain_blocks": "අවහිර කළ වසම්",
"navigation_bar.edit_profile": "පැතිකඩ සංස්කරණය",
"navigation_bar.explore": "ගවේෂණය කරන්න",
"navigation_bar.favourites": "ප්රියතමයන්",
- "navigation_bar.filters": "සමඟ කළ වචන",
- "navigation_bar.follow_requests": "ඉල්ලීම් අනුගමනය කරන්න",
- "navigation_bar.follows_and_followers": "අනුගාමිකයින් සහ අනුගාමිකයින්",
- "navigation_bar.info": "මෙම සේවාදායකය පිළිබඳව",
- "navigation_bar.keyboard_shortcuts": "උණුසුම් යතුරු",
- "navigation_bar.lists": "ලැයිස්තු",
+ "navigation_bar.filters": "නිහඬ කළ වචන",
+ "navigation_bar.follow_requests": "අනුගමන ඉල්ලීම්",
+ "navigation_bar.follows_and_followers": "අනුගමනය හා අනුගාමිකයින්",
+ "navigation_bar.info": "මෙම සේවාදායකය ගැන",
+ "navigation_bar.keyboard_shortcuts": "උණු යතුරු",
+ "navigation_bar.lists": "ලේඛන",
"navigation_bar.logout": "නික්මෙන්න",
- "navigation_bar.mutes": "නිශ්ශබ්ද පරිශීලකයන්",
+ "navigation_bar.mutes": "නිහඬ කළ අය",
"navigation_bar.personal": "පුද්ගලික",
- "navigation_bar.pins": "ඇලවූ දත්",
- "navigation_bar.preferences": "මනාප",
+ "navigation_bar.pins": "ඇමිණූ ලිපි",
+ "navigation_bar.preferences": "අභිප්රේත",
"navigation_bar.public_timeline": "ෆෙඩරේටඩ් කාලරේඛාව",
"navigation_bar.security": "ආරක්ෂාව",
"notification.admin.report": "{name} වාර්තා {target}",
@@ -320,46 +340,46 @@
"notification.follow": "{name} ඔබව අනුගමනය කළා",
"notification.follow_request": "{name} ඔබව අනුගමනය කිරීමට ඉල්ලා ඇත",
"notification.mention": "{name} ඔබව සඳහන් කර ඇත",
- "notification.own_poll": "ඔබේ මත විමසුම අවසන් වී ඇත",
- "notification.poll": "ඔබ ඡන්දය දුන් මත විමසුමක් අවසන් වී ඇත",
+ "notification.own_poll": "ඔබගේ මත විමසුම නිමයි",
+ "notification.poll": "ඔබ ඡන්දය දුන් මත විමසුමක් නිමයි",
"notification.reblog": "{name} ඔබේ තත්ත්වය ඉහළ නැංවීය",
"notification.status": "{name} දැන් පළ කළා",
"notification.update": "{name} පළ කිරීමක් සංස්කරණය කළා",
- "notifications.clear": "දැනුම්දීම් හිස්කරන්න",
+ "notifications.clear": "දැනුම්දීම් මකන්න",
"notifications.clear_confirmation": "ඔබට ඔබගේ සියලු දැනුම්දීම් ස්ථිරවම හිස් කිරීමට අවශ්ය බව විශ්වාසද?",
"notifications.column_settings.admin.report": "නව වාර්තා:",
- "notifications.column_settings.admin.sign_up": "නව ලියාපදිංචි කිරීම්:",
- "notifications.column_settings.alert": "ඩෙස්ක්ටොප් දැනුම්දීම්",
+ "notifications.column_settings.admin.sign_up": "නව ලියාපදිංචි:",
+ "notifications.column_settings.alert": "වැඩතල දැනුම්දීම්",
"notifications.column_settings.favourite": "ප්රියතමයන්:",
- "notifications.column_settings.filter_bar.advanced": "සියලුම කාණ්ඩ පෙන්වන්න",
+ "notifications.column_settings.filter_bar.advanced": "සියළු ප්රවර්ග පෙන්වන්න",
"notifications.column_settings.filter_bar.category": "ඉක්මන් පෙරහන් තීරුව",
"notifications.column_settings.filter_bar.show_bar": "පෙරහන් තීරුව පෙන්වන්න",
"notifications.column_settings.follow": "නව අනුගාමිකයින්:",
- "notifications.column_settings.follow_request": "නව පහත ඉල්ලීම්:",
+ "notifications.column_settings.follow_request": "නව අනුගමන ඉල්ලීම්:",
"notifications.column_settings.mention": "සැඳහුම්:",
"notifications.column_settings.poll": "ඡන්ද ප්රතිඵල:",
"notifications.column_settings.push": "තල්ලු දැනුම්දීම්",
"notifications.column_settings.reblog": "තල්ලු කිරීම්:",
"notifications.column_settings.show": "තීරුවෙහි පෙන්වන්න",
- "notifications.column_settings.sound": "ශබ්දය සිදු කරන ලදී",
- "notifications.column_settings.status": "නව දත්:",
+ "notifications.column_settings.sound": "ශබ්දය වාදනය",
+ "notifications.column_settings.status": "නව ලිපි:",
"notifications.column_settings.unread_notifications.category": "නොකියවූ දැනුම්දීම්",
"notifications.column_settings.unread_notifications.highlight": "නොකියවූ දැනුම්දීම් ඉස්මතු කරන්න",
- "notifications.column_settings.update": "සංස්කරණ:",
+ "notifications.column_settings.update": "සංශෝධන:",
"notifications.filter.all": "සියල්ල",
"notifications.filter.boosts": "බූස්ට් කරයි",
"notifications.filter.favourites": "ප්රියතමයන්",
- "notifications.filter.follows": "පහත සඳහන්",
+ "notifications.filter.follows": "අනුගමනය",
"notifications.filter.mentions": "සැඳහුම්",
"notifications.filter.polls": "ඡන්ද ප්රතිඵල",
"notifications.filter.statuses": "ඔබ අනුගමනය කරන පුද්ගලයින්ගෙන් යාවත්කාලීන",
"notifications.grant_permission": "අවසර දෙන්න.",
"notifications.group": "දැනුම්දීම් {count}",
- "notifications.mark_as_read": "දැනුම්දීමක්ම කියවූ ලෙස සලකුණු කරන්න",
+ "notifications.mark_as_read": "සියළු දැනුම්දීම් කියවූ බව යොදන්න",
"notifications.permission_denied": "කලින් ප්රතික්ෂේප කළ බ්රවුසර අවසර ඉල්ලීම හේතුවෙන් ඩෙස්ක්ටොප් දැනුම්දීම් නොමැත",
"notifications.permission_denied_alert": "බ්රවුසර අවසරය පෙර ප්රතික්ෂේප කර ඇති බැවින්, ඩෙස්ක්ටොප් දැනුම්දීම් සබල කළ නොහැක",
"notifications.permission_required": "අවශ්ය අවසරය ලබා දී නොමැති නිසා ඩෙස්ක්ටොප් දැනුම්දීම් නොමැත.",
- "notifications_permission_banner.enable": "ඩෙස්ක්ටොප් දැනුම්දීම් සබල කරන්න",
+ "notifications_permission_banner.enable": "වැඩතල දැනුම්දීම් සබල කරන්න",
"notifications_permission_banner.how_to_control": "Mastodon විවෘතව නොමැති විට දැනුම්දීම් ලබා ගැනීමට, ඩෙස්ක්ටොප් දැනුම්දීම් සබල කරන්න. ඔබට ඒවා සක්රිය කළ පසු ඉහත {icon} බොත්තම හරහා ඩෙස්ක්ටොප් දැනුම්දීම් ජනනය කරන්නේ කුමන ආකාරයේ අන්තර්ක්රියාද යන්න නිවැරදිව පාලනය කළ හැක.",
"notifications_permission_banner.title": "කිසිම දෙයක් අතපසු කරන්න එපා",
"picture_in_picture.restore": "ආපහු දාන්න",
@@ -367,59 +387,59 @@
"poll.refresh": "නැවුම් කරන්න",
"poll.total_people": "{count, plural, one {# පුද්ගලයා} other {# මහජන}}",
"poll.total_votes": "{count, plural, one {# ඡන්දය} other {ඡන්ද #}}",
- "poll.vote": "මනාපය",
+ "poll.vote": "ඡන්දය",
"poll.voted": "ඔබ මෙම පිළිතුරට ඡන්දය දුන්නා",
"poll.votes": "{votes, plural, one {# ඡන්දය} other {ඡන්ද #}}",
- "poll_button.add_poll": "මත විමසුමක් එක් කරන්න",
- "poll_button.remove_poll": "ඡන්ද විමසීම ඉවත් කරන්න",
- "privacy.change": "තත්ත්වයේ පෞද්ගලිකත්වය සීරුමාරු කරන්න",
- "privacy.direct.long": "සඳහන් කළ පරිශීලකයින් සඳහා පමණක් දෘශ්යමාන වේ",
- "privacy.direct.short": "සඳහන් කළ පුද්ගලයන් පමණි",
- "privacy.private.long": "අනුගාමිකයින් සඳහා පමණක් දෘශ්යමාන වේ",
+ "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": "ප්රසිද්ධ",
+ "privacy.public.long": "සැමට දිස්වෙයි",
+ "privacy.public.short": "ප්රසිද්ධ",
"privacy.unlisted.long": "සැමට දෘශ්යමාන, නමුත් සොයාගැනීමේ විශේෂාංග වලින් ඉවත් විය",
"privacy.unlisted.short": "ලැයිස්තුගත නොකළ",
"refresh": "නැවුම් කරන්න",
"regeneration_indicator.label": "පූරණය වෙමින්…",
"regeneration_indicator.sublabel": "ඔබේ නිවසේ පෝෂණය සූදානම් වෙමින් පවතී!",
- "relative_time.days": "{number}d",
+ "relative_time.days": "ද. {number}",
"relative_time.full.days": "{number, plural, one {# දින} other {# දින}} පෙර",
- "relative_time.full.hours": "{number, plural, one {# පැය} other {# පැය}} පෙර",
+ "relative_time.full.hours": "{number, plural, one {පැය #} other {පැය #}} කට පෙර",
"relative_time.full.just_now": "මේ දැන්",
- "relative_time.full.minutes": "{number, plural, one {විනාඩි #} other {# මිනිත්තු}} පෙර",
- "relative_time.full.seconds": "{number, plural, one {# දෙවැනි} other {# තත්පර}} පෙර",
+ "relative_time.full.minutes": "{number, plural, one {විනාඩි #} other {විනාඩි #}} කට පෙර",
+ "relative_time.full.seconds": "{number, plural, one {තත්පර #} other {තත්පර #}} කට පෙර",
"relative_time.hours": "පැය {number}",
"relative_time.just_now": "දැන්",
- "relative_time.minutes": "මීටර් {number}",
- "relative_time.seconds": "{number}තත්",
+ "relative_time.minutes": "වි. {number}",
+ "relative_time.seconds": "තත්. {number}",
"relative_time.today": "අද",
"reply_indicator.cancel": "අවලංගු කරන්න",
- "report.block": "අවහිර කරන්න",
+ "report.block": "අවහිර",
"report.block_explanation": "ඔබට ඔවුන්ගේ පෝස්ට් නොපෙනේ. ඔවුන්ට ඔබේ පළ කිරීම් බැලීමට හෝ ඔබව අනුගමනය කිරීමට නොහැකි වනු ඇත. ඔවුන් අවහිර කර ඇති බව ඔවුන්ට පැවසිය හැකිය.",
"report.categories.other": "වෙනත්",
- "report.categories.spam": "ආයාචිත තැපැල්",
+ "report.categories.spam": "ආයාචිත",
"report.categories.violation": "අන්තර්ගතය සේවාදායක නීති එකක් හෝ කිහිපයක් උල්ලංඝනය කරයි",
"report.category.subtitle": "හොඳම ගැලපීම තෝරන්න",
"report.category.title": "මෙම {type}සමඟ සිදුවන්නේ කුමක්දැයි අපට කියන්න",
"report.category.title_account": "පැතිකඩ",
"report.category.title_status": "තැපැල්",
- "report.close": "කළා",
+ "report.close": "අහවරයි",
"report.comment.title": "අප දැනගත යුතු යැයි ඔබ සිතන තවත් යමක් තිබේද?",
- "report.forward": "{target}වෙත යොමු කරන්න",
+ "report.forward": "{target} වෙත හරවන්න",
"report.forward_hint": "ගිණුම වෙනත් සේවාදායකයකින්. වාර්තාවේ නිර්නාමික පිටපතක් එතනටත් එවන්න?",
- "report.mute": "නිහඬ කරන්න",
+ "report.mute": "නිහඬ",
"report.mute_explanation": "ඔබට ඔවුන්ගේ පෝස්ට් නොපෙනේ. ඔවුන්ට තවමත් ඔබව අනුගමනය කිරීමට සහ ඔබේ පළ කිරීම් දැකීමට හැකි අතර ඒවා නිශ්ශබ්ද කර ඇති බව නොදැනේ.",
"report.next": "ඊළඟ",
"report.placeholder": "අමතර අදහස්",
- "report.reasons.dislike": "මම ඒකට කැමති නැහැ",
+ "report.reasons.dislike": "මම එයට අකැමතියි",
"report.reasons.dislike_description": "ඒක බලන්න ඕන දෙයක් නෙවෙයි",
"report.reasons.other": "ඒක වෙන දෙයක්",
"report.reasons.other_description": "ගැටළුව වෙනත් වර්ග වලට නොගැලපේ",
- "report.reasons.spam": "එය අයාචිත තැපැල් ය",
+ "report.reasons.spam": "එය අයාචිතයි",
"report.reasons.spam_description": "අනිෂ්ට සබැඳි, ව්යාජ නියැලීම, හෝ පුනරාවර්තන පිළිතුරු",
- "report.reasons.violation": "එය සේවාදායක නීති උල්ලංඝනය කරයි",
+ "report.reasons.violation": "එය සේවාදායකයේ නීති කඩ කරයි",
"report.reasons.violation_description": "එය නිශ්චිත නීති කඩ කරන බව ඔබ දන්නවා",
"report.rules.subtitle": "අදාළ සියල්ල තෝරන්න",
"report.rules.title": "කුමන නීති උල්ලංඝනය කරන්නේද?",
@@ -429,14 +449,14 @@
"report.target": "වාර්තාව {target}",
"report.thanks.take_action": "Mastodon හි ඔබ දකින දේ පාලනය කිරීම සඳහා ඔබේ විකල්ප මෙන්න:",
"report.thanks.take_action_actionable": "අපි මෙය සමාලෝචනය කරන අතරතුර, ඔබට @{name}ට එරෙහිව පියවර ගත හැක:",
- "report.thanks.title": "මේක බලන්න ඕන නැද්ද?",
+ "report.thanks.title": "මෙය නොපෙන්විය යුතුද?",
"report.thanks.title_actionable": "වාර්තා කිරීමට ස්තූතියි, අපි මේ ගැන සොයා බලමු.",
"report.unfollow": "@{name}අනුගමනය නොකරන්න",
"report.unfollow_explanation": "ඔබ මෙම ගිණුම අනුගමනය කරයි. ඔබේ නිවසේ සංග්රහයේ ඔවුන්ගේ පළ කිරීම් තවදුරටත් නොදැකීමට, ඒවා අනුගමනය නොකරන්න.",
"report_notification.attached_statuses": "{count, plural, one {{count} තැපැල්} other {{count} තනතුරු}} අමුණා ඇත",
"report_notification.categories.other": "වෙනත්",
- "report_notification.categories.spam": "ආයාචිත තැපැල්",
- "report_notification.categories.violation": "රීති උල්ලංඝනය කිරීම",
+ "report_notification.categories.spam": "ආයාචිත",
+ "report_notification.categories.violation": "නීතිය කඩ කිරීම",
"report_notification.open": "විවෘත වාර්තාව",
"search.placeholder": "සොයන්න",
"search_popout.search_format": "උසස් සෙවුම් ආකෘතිය",
@@ -446,62 +466,73 @@
"search_popout.tips.text": "සරල පෙළ ගැළපෙන සංදර්ශක නම්, පරිශීලක නාම සහ හැෂ් ටැග් ලබා දෙයි",
"search_popout.tips.user": "පරිශීලක",
"search_results.accounts": "මිනිසුන්",
- "search_results.all": "සියලුම",
+ "search_results.all": "සියල්ල",
"search_results.hashtags": "හැෂ් ටැග්",
"search_results.nothing_found": "මෙම සෙවුම් පද සඳහා කිසිවක් සොයාගත නොහැකි විය",
- "search_results.statuses": "ටූට්ස්",
+ "search_results.statuses": "ලිපි",
"search_results.statuses_fts_disabled": "මෙම Mastodon සේවාදායකයේ ඒවායේ අන්තර්ගතය අනුව මෙවලම් සෙවීම සබල නොවේ.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {ප්රතිඵලය} other {ප්රතිපල}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "@{name}සඳහා මධ්යස්ථ අතුරුමුහුණත විවෘත කරන්න",
"status.admin_status": "මධ්යස්ථ අතුරුමුහුණතෙහි මෙම තත්ත්වය විවෘත කරන්න",
- "status.block": "@{name} අවහිර කරන්න",
- "status.bookmark": "පොත් යොමුව",
+ "status.block": "@{name} අවහිර",
+ "status.bookmark": "පොත්යොමුවක්",
"status.cancel_reblog_private": "Unboost",
"status.cannot_reblog": "මෙම තනතුර වැඩි කළ නොහැක",
"status.copy": "තත්වයට සබැඳිය පිටපත් කරන්න",
"status.delete": "මකන්න",
- "status.detailed_status": "සවිස්තරාත්මක සංවාද දසුන",
- "status.direct": "@{name} සෘජු පණිවිඩය",
- "status.edit": "සංස්කරණය කරන්න",
- "status.edited": "සංස්කරණය {date}",
- "status.edited_x_times": "සංස්කරණය කළා {count, plural, one {{count} කාලය} other {{count} වාර}}",
- "status.embed": "එබ්බවූ",
+ "status.detailed_status": "විස්තරාත්මක සංවාද දැක්ම",
+ "status.direct": "@{name} සෘජු පණිවිඩයක්",
+ "status.edit": "සංස්කරණය",
+ "status.edited": "සංශෝධිතයි {date}",
+ "status.edited_x_times": "සංශෝධිතයි {count, plural, one {වාර {count}} other {වාර {count}}}",
+ "status.embed": "කාවැද්දූ",
"status.favourite": "ප්රියතම",
+ "status.filter": "Filter this post",
"status.filtered": "පෙරන ලද",
"status.hide": "Hide toot",
"status.history.created": "{name} නිර්මාණය {date}",
"status.history.edited": "{name} සංස්කරණය {date}",
- "status.load_more": "තව පූරණය කරන්න",
- "status.media_hidden": "මාධ්ය සංගුවා ඇත",
+ "status.load_more": "තව පූරණය",
+ "status.media_hidden": "මාධ්ය සඟවා ඇත",
"status.mention": "@{name} සැඳහුම",
"status.more": "තව",
- "status.mute": "@{name} කරන්න",
- "status.mute_conversation": "සංවාදයෙන් කරන්න",
- "status.open": "මෙම තත්ත්වය පුළුල් කරන්න",
- "status.pin": "පැතිකඩ මත අමුණන්න",
- "status.pinned": "පින් කළ දත",
+ "status.mute": "@{name} නිහඬව",
+ "status.mute_conversation": "සංවාදය නිහඬව",
+ "status.open": "මෙම ලිපිය විහිදන්න",
+ "status.pin": "පැතිකඩට අමුණන්න",
+ "status.pinned": "ඇමිණූ ලිපියකි",
"status.read_more": "තව කියවන්න",
"status.reblog": "බූස්ට් කරන්න",
"status.reblog_private": "මුල් දෘශ්යතාව සමඟ වැඩි කරන්න",
"status.reblogged_by": "{name} වැඩි කරන ලදී",
"status.reblogs.empty": "තාම කවුරුත් මේ toot එක boost කරලා නැහැ. යමෙකු එසේ කළ විට, ඔවුන් මෙහි පෙන්වනු ඇත.",
"status.redraft": "මකන්න සහ නැවත කෙටුම්පත",
- "status.remove_bookmark": "පොත්යොමුව ඉවත් කරන්න",
+ "status.remove_bookmark": "පොත්යොමුව ඉවතලන්න",
"status.reply": "පිළිතුරු",
"status.replyAll": "ත්රෙඩ් එකට පිළිතුරු දෙන්න",
- "status.report": "@{name} වාර්තා කරන්න",
+ "status.report": "@{name} වාර්තාව",
"status.sensitive_warning": "සංවේදී අන්තර්ගතයකි",
"status.share": "බෙදාගන්න",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "කෙසේ වුවද පෙන්වන්න",
"status.show_less": "අඩුවෙන් පෙන්වන්න",
- "status.show_less_all": "සියල්ලටම අඩුවෙන් පෙන්වන්න",
- "status.show_more": "තව පෙන්වන්න",
- "status.show_more_all": "සියල්ල සඳහා තවත් පෙන්වන්න",
+ "status.show_less_all": "සියල්ල අඩුවෙන් පෙන්වන්න",
+ "status.show_more": "තවත් පෙන්වන්න",
+ "status.show_more_all": "සියල්ල වැඩියෙන් පෙන්වන්න",
+ "status.show_original": "Show original",
"status.show_thread": "නූල් පෙන්වන්න",
- "status.uncached_media_warning": "ලද නොහැක",
- "status.unmute_conversation": "සංවාදය නිහඬ නොකරන්න",
- "status.unpin": "පැතිකඩෙන් ඉවත් කරන්න",
- "suggestions.dismiss": "යෝජනාව ඉවත ලන්න",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
+ "status.uncached_media_warning": "නොතිබේ",
+ "status.unmute_conversation": "සංවාදය නොනිහඬ",
+ "status.unpin": "පැතිකඩෙන් ගළවන්න",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "වෙනස්කම් සුරකින්න",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
+ "suggestions.dismiss": "යෝජනාව ඉවතලන්න",
"suggestions.header": "ඔබ…ගැන උනන්දු විය හැකිය",
"tabs_bar.federated_timeline": "ෆෙඩරල්",
"tabs_bar.home": "මුල් පිටුව",
@@ -515,44 +546,44 @@
"time_remaining.seconds": "{number, plural, one {# දෙවැනි} other {# තත්පර}} අත්හැරියා",
"timeline_hint.remote_resource_not_displayed": "වෙනත් සේවාදායකයන්ගෙන් {resource} දර්ශනය නොවේ.",
"timeline_hint.resources.followers": "අනුගාමිකයින්",
- "timeline_hint.resources.follows": "පහත සඳහන්",
- "timeline_hint.resources.statuses": "පැරණි දත්",
- "trends.counter_by_accounts": "{count, plural, one {{counter} පුද්ගලයා} other {{counter} මහජන}} කතා කරනවා",
+ "timeline_hint.resources.follows": "අනුගමනය",
+ "timeline_hint.resources.statuses": "පරණ ලිපි",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "දැන් ප්රවණතාවය",
- "ui.beforeunload": "ඔබ Mastodon හැර ගියහොත් ඔබේ කෙටුම්පත නැති වනු ඇත.",
+ "ui.beforeunload": "ඔබ මාස්ටඩන් හැර ගියහොත් කටුපිටපත අහිමි වේ.",
"units.short.billion": "{count}බී",
"units.short.million": "{count}එම්",
"units.short.thousand": "{count}කි",
- "upload_area.title": "උඩුගත කිරීමට ඇද දමන්න",
- "upload_button.label": "පින්තූර, වීඩියෝවක් හෝ ශ්රව්ය ගොනුවක් එක් කරන්න",
- "upload_error.limit": "ගොනුව උඩුගත කළ හැකි සීමාවන් ඇත.",
- "upload_error.poll": "ඡන්ද විමසීම් සමඟ ගොනු උඩුගත කිරීමට අවසර නැත.",
- "upload_form.audio_description": "ශ්රවණාබාධ ඇති පුද්ගලයන් සඳහා විස්තර කරන්න",
+ "upload_area.title": "උඩුගතයට ඇද දමන්න",
+ "upload_button.label": "රූප, දෘශ්යක හෝ හඬපට යොදන්න",
+ "upload_error.limit": "සීමාව ඉක්මවා ඇත.",
+ "upload_error.poll": "මත විමසුම් සමඟ ගොනු යෙදීමට ඉඩ නොදේ.",
+ "upload_form.audio_description": "නොඇසෙන අය සඳහා විස්තර කරන්න",
"upload_form.description": "දෘශ්යාබාධිතයන් සඳහා විස්තර කරන්න",
- "upload_form.description_missing": "විස්තරයක් එක් කර නැත",
+ "upload_form.description_missing": "සවිස්තරයක් නැත",
"upload_form.edit": "සංස්කරණය",
"upload_form.thumbnail": "සිඟිති රුව වෙනස් කරන්න",
"upload_form.undo": "මකන්න",
"upload_form.video_description": "ශ්රවණාබාධ හෝ දෘශ්යාබාධිත පුද්ගලයන් සඳහා විස්තර කරන්න",
"upload_modal.analyzing_picture": "පින්තූරය විශ්ලේෂණය කරමින්…",
"upload_modal.apply": "යොදන්න",
- "upload_modal.applying": "…යෙදීම",
- "upload_modal.choose_image": "පින්තුරයක් තෝරාගන්න",
- "upload_modal.description_placeholder": "කඩිසර හා හිවලෙක් කම්මැලි බල්ලා මතින් පනී",
- "upload_modal.detect_text": "පින්තූරයෙන් හඳුනාගන්න",
+ "upload_modal.applying": "යොදමින්…",
+ "upload_modal.choose_image": "රූපයක් තෝරන්න",
+ "upload_modal.description_placeholder": "කඩිසර දුඹුරු හිවලෙක් කම්මැලි බල්ලා මතින් පනී",
+ "upload_modal.detect_text": "රූපයෙහි පෙළ අනාවරණය",
"upload_modal.edit_media": "මාධ්ය සංස්කරණය",
"upload_modal.hint": "සියලුම සිඟිති රූ මත සැම විටම දර්ශනය වන නාභි ලක්ෂ්යය තේරීමට පෙරදසුනෙහි රවුම ක්ලික් කරන්න හෝ අදින්න.",
"upload_modal.preparing_ocr": "OCR…සූදානම් කරමින්",
"upload_modal.preview_label": "පෙරදසුන ({ratio})",
"upload_progress.label": "උඩුගත වෙමින්...",
- "video.close": "දෘශ්යයක් වසන්න",
+ "video.close": "දෘශ්යකය වසන්න",
"video.download": "ගොනුව බාගන්න",
"video.exit_fullscreen": "පූර්ණ තිරයෙන් පිටවන්න",
- "video.expand": "වීඩියෝව දිග හරින්න",
+ "video.expand": "දෘශ්යකය විහිදන්න",
"video.fullscreen": "පූර්ණ තිරය",
- "video.hide": "දෘශ්යය සඟවන්න",
- "video.mute": "ශබ්දය නිශ්ශබ්ද කරන්න",
+ "video.hide": "දෘශ්යකය සඟවන්න",
+ "video.mute": "ශබ්දය නිහඬ",
"video.pause": "විරාමය",
"video.play": "ධාවනය",
- "video.unmute": "ශබ්දය නිශ්ශබ්ද කරන්න"
+ "video.unmute": "ශබ්දය නොනිහඬ"
}
diff --git a/app/javascript/mastodon/locales/sk.json b/app/javascript/mastodon/locales/sk.json
index 79bc8d72a..fdd5cb88d 100644
--- a/app/javascript/mastodon/locales/sk.json
+++ b/app/javascript/mastodon/locales/sk.json
@@ -24,6 +24,7 @@
"account.follows_you": "Nasleduje ťa",
"account.hide_reblogs": "Skry vyzdvihnutia od @{name}",
"account.joined": "Pridal/a sa v {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Vlastníctvo tohto odkazu bolo skontrolované {date}",
"account.locked_info": "Stav súkromia pre tento účet je nastavený na zamknutý. Jeho vlastník sám prehodnocuje, kto ho môže sledovať.",
"account.media": "Médiá",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ups!",
"announcement.announcement": "Oboznámenie",
"attachments_list.unprocessed": "(nespracované)",
+ "audio.hide": "Skry zvuk",
"autosuggest_hashtag.per_week": "{count} týždenne",
"boost_modal.combo": "Nabudúce môžeš kliknúť {combo} pre preskočenie",
"bundle_column_error.body": "Pri načítaní tohto prvku nastala nejaká chyba.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novinky",
"explore.trending_statuses": "Príspevky",
"explore.trending_tags": "Haštagy",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Nastavenie triedenia",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Triedenie pridané!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "vypršalo",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Hotovo",
"follow_recommendations.heading": "Následuj ľudí od ktorých by si chcel/a vidieť príspevky! Tu sú nejaké návrhy.",
"follow_recommendations.lead": "Príspevky od ľudi ktorých sledujete sa zobrazia v chronologickom poradí na Vašej nástenke. Nebojte sa spraviť chyby, vždy môžete zrušiť sledovanie konkrétnych ľudí!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Začni tu",
"getting_started.invite": "Pozvi ľudí",
"getting_started.open_source_notice": "Mastodon je softvér s otvoreným kódom. Nahlásiť chyby, alebo prispievať môžeš na the computer labe v {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Zabezpečenie",
- "getting_started.terms": "Podmienky prevozu",
"hashtag.column_header.tag_mode.all": "a {additional}",
"hashtag.column_header.tag_mode.any": "alebo {additional}",
"hashtag.column_header.tag_mode.none": "bez {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Hociktorý z týchto",
"hashtag.column_settings.tag_mode.none": "Žiaden z týchto",
"hashtag.column_settings.tag_toggle": "Vlož dodatočné haštagy pre tento stĺpec",
+ "hashtag.follow": "Nasleduj haštag",
+ "hashtag.unfollow": "Nesleduj haštag",
"home.column_settings.basic": "Základné",
"home.column_settings.show_reblogs": "Ukáž vyzdvihnuté",
"home.column_settings.show_replies": "Ukáž odpovede",
@@ -234,7 +254,7 @@
"keyboard_shortcuts.column": "zameraj sa na príspevok v jednom zo stĺpcov",
"keyboard_shortcuts.compose": "zameraj sa na písaciu plochu",
"keyboard_shortcuts.description": "Popis",
- "keyboard_shortcuts.direct": "to open direct messages column",
+ "keyboard_shortcuts.direct": "pre otvorenie panelu priamých správ",
"keyboard_shortcuts.down": "posunúť sa dole v zozname",
"keyboard_shortcuts.enter": "Otvor príspevok",
"keyboard_shortcuts.favourite": "pridaj do obľúbených",
@@ -327,7 +347,7 @@
"notification.update": "{name} upravil/a príspevok",
"notifications.clear": "Vyčisti oboznámenia",
"notifications.clear_confirmation": "Naozaj chceš nenávratne prečistiť všetky tvoje oboznámenia?",
- "notifications.column_settings.admin.report": "New reports:",
+ "notifications.column_settings.admin.report": "Nové hlásenia:",
"notifications.column_settings.admin.sign_up": "Nové registrácie:",
"notifications.column_settings.alert": "Oboznámenia na ploche",
"notifications.column_settings.favourite": "Obľúbené:",
@@ -383,7 +403,7 @@
"privacy.unlisted.short": "Verejne, ale nezobraziť v osi",
"refresh": "Obnoviť",
"regeneration_indicator.label": "Načítava sa…",
- "regeneration_indicator.sublabel": "Vaša nástenka sa pripravuje!",
+ "regeneration_indicator.sublabel": "Tvoja domovská nástenka sa pripravuje!",
"relative_time.days": "{number}dní",
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
@@ -398,7 +418,7 @@
"reply_indicator.cancel": "Zrušiť",
"report.block": "Blokuj",
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
- "report.categories.other": "Other",
+ "report.categories.other": "Ostatné",
"report.categories.spam": "Spam",
"report.categories.violation": "Content violates one or more server rules",
"report.category.subtitle": "Choose the best match",
@@ -434,7 +454,7 @@
"report.unfollow": "Nesleduj @{name}",
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
"report_notification.attached_statuses": "{count, plural, one {{count} post} other {{count} posts}} attached",
- "report_notification.categories.other": "Other",
+ "report_notification.categories.other": "Ostatné",
"report_notification.categories.spam": "Spam",
"report_notification.categories.violation": "Rule violation",
"report_notification.open": "Open report",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Príspevky",
"search_results.statuses_fts_disabled": "Vyhľadávanie v obsahu príspevkov nieje na tomto Mastodon serveri povolené.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {výsledok} many {výsledkov} other {výsledky}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Otvor moderovacie rozhranie užívateľa @{name}",
"status.admin_status": "Otvor tento príspevok v moderovacom rozhraní",
"status.block": "Blokuj @{name}",
@@ -467,8 +491,9 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Vložiť",
"status.favourite": "Páči sa mi",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrované",
- "status.hide": "Hide toot",
+ "status.hide": "Skry príspevok",
"status.history.created": "{name} vytvoril/a {date}",
"status.history.edited": "{name} upravil/a {date}",
"status.load_more": "Ukáž viac",
@@ -492,15 +517,21 @@
"status.report": "Nahlás @{name}",
"status.sensitive_warning": "Chúlostivý obsah",
"status.share": "Zdieľaj",
- "status.show_filter_reason": "Show anyway",
+ "status.show_filter_reason": "Ukáž aj tak",
"status.show_less": "Zobraz menej",
"status.show_less_all": "Všetkým ukáž menej",
"status.show_more": "Ukáž viac",
"status.show_more_all": "Všetkým ukáž viac",
+ "status.show_original": "Show original",
"status.show_thread": "Ukáž diskusné vlákno",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Nedostupný/é",
"status.unmute_conversation": "Prestaň si nevšímať konverzáciu",
"status.unpin": "Odopni z profilu",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Zavrhni návrh",
"suggestions.header": "Mohlo by ťa zaujímať…",
"tabs_bar.federated_timeline": "Federovaná",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Sledujúci",
"timeline_hint.resources.follows": "Následuje",
"timeline_hint.resources.statuses": "Staršie príspevky",
- "trends.counter_by_accounts": "{count, plural, one {{counter} človek rozpráva} few {{counter} ľudia rozprávajú} many {{counter} ľudia rozprávajú} other {{counter} ľudí rozpráva}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Teraz populárne",
"ui.beforeunload": "Čo máš rozpísané sa stratí, ak opustíš Mastodon.",
"units.short.billion": "{count}mld.",
diff --git a/app/javascript/mastodon/locales/sl.json b/app/javascript/mastodon/locales/sl.json
index 909b4b0f0..acd562da4 100644
--- a/app/javascript/mastodon/locales/sl.json
+++ b/app/javascript/mastodon/locales/sl.json
@@ -24,6 +24,7 @@
"account.follows_you": "Vam sledi",
"account.hide_reblogs": "Skrij izpostavitve od @{name}",
"account.joined": "Pridružen/a {date}",
+ "account.languages": "Spremeni naročene jezike",
"account.link_verified_on": "Lastništvo te povezave je bilo preverjeno {date}",
"account.locked_info": "Stanje zasebnosti računa je nastavljeno na zaklenjeno. Lastnik ročno pregleda, kdo ga lahko spremlja.",
"account.media": "Mediji",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Uups!",
"announcement.announcement": "Objava",
"attachments_list.unprocessed": "(neobdelano)",
+ "audio.hide": "Skrij zvok",
"autosuggest_hashtag.per_week": "{count} na teden",
"boost_modal.combo": "Če želite preskočiti to, lahko pritisnete {combo}",
"bundle_column_error.body": "Med nalaganjem te komponente je prišlo do napake.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Novice",
"explore.trending_statuses": "Objave",
"explore.trending_tags": "Ključniki",
+ "filter_modal.added.context_mismatch_explanation": "Ta kategorija filtra ne velja za kontekst, v katerem ste dostopali do te objave. Če želite, da je objava filtrirana tudi v tem kontekstu, morate urediti filter.",
+ "filter_modal.added.context_mismatch_title": "Neujamanje konteksta!",
+ "filter_modal.added.expired_explanation": "Ta kategorija filtra je pretekla, morali boste spremeniti datum veljavnosti, da bo veljal še naprej.",
+ "filter_modal.added.expired_title": "Filter je pretekel!",
+ "filter_modal.added.review_and_configure": "Če želite pregledati in nadalje prilagoditi kategorijo filtra, obiščite {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Nastavitve filtra",
+ "filter_modal.added.settings_link": "stran nastavitev",
+ "filter_modal.added.short_explanation": "Ta objava je bila dodana v naslednjo kategorijo filtra: {title}.",
+ "filter_modal.added.title": "Filter dodan!",
+ "filter_modal.select_filter.context_mismatch": "ne velja za ta kontekst",
+ "filter_modal.select_filter.expired": "poteklo",
+ "filter_modal.select_filter.prompt_new": "Nova kategorija: {name}",
+ "filter_modal.select_filter.search": "Išči ali ustvari",
+ "filter_modal.select_filter.subtitle": "Uporabite obstoječo kategorijo ali ustvarite novo",
+ "filter_modal.select_filter.title": "Filtriraj to objavo",
+ "filter_modal.title.status": "Filtrirajte objave",
"follow_recommendations.done": "Opravljeno",
"follow_recommendations.heading": "Sledite osebam, katerih objave želite videti! Tukaj je nekaj predlogov.",
"follow_recommendations.lead": "Objave oseb, ki jim sledite, se bodo prikazale v kronološkem zaporedju v vašem domačem viru. Ne bojte se storiti napake, osebam enako enostavno nehate slediti kadar koli!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Kako začeti",
"getting_started.invite": "Povabite osebe",
"getting_started.open_source_notice": "Mastodon je odprtokodna programska oprema. Na the computer labu na {github} lahko prispevate ali poročate o napakah.",
+ "getting_started.privacy_policy": "Pravilnik o zasebnosti",
"getting_started.security": "Varnost",
- "getting_started.terms": "Pogoji uporabe",
"hashtag.column_header.tag_mode.all": "in {additional}",
"hashtag.column_header.tag_mode.any": "ali {additional}",
"hashtag.column_header.tag_mode.none": "brez {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Karkoli od naštetega",
"hashtag.column_settings.tag_mode.none": "Nič od naštetega",
"hashtag.column_settings.tag_toggle": "Za ta stolpec vključi dodatne oznake",
+ "hashtag.follow": "Sledi ključniku",
+ "hashtag.unfollow": "Nehaj slediti ključniku",
"home.column_settings.basic": "Osnovno",
"home.column_settings.show_reblogs": "Pokaži izpostavitve",
"home.column_settings.show_replies": "Pokaži odgovore",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Za ta iskalni niz ni zadetkov",
"search_results.statuses": "Objave",
"search_results.statuses_fts_disabled": "Iskanje objav po njihovi vsebini ni omogočeno na tem strežniku Mastodon.",
+ "search_results.title": "Išči {q}",
"search_results.total": "{count, number} {count, plural, one {rezultat} other {rezultatov}}",
+ "sign_in_banner.create_account": "Ustvari račun",
+ "sign_in_banner.sign_in": "Prijava",
+ "sign_in_banner.text": "Prijavite se, da sledite profilom ali ključnikom, dodajate med priljubljene, delite z drugimi ter odgovarjate na objave, pa tudi ostajate v interakciji iz svojega računa na drugem strežniku.",
"status.admin_account": "Odpri vmesnik za moderiranje za @{name}",
"status.admin_status": "Odpri status v vmesniku za moderiranje",
"status.block": "Blokiraj @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Urejeno {count, plural, one {#-krat} two {#-krat} few {#-krat} other {#-krat}}",
"status.embed": "Vgradi",
"status.favourite": "Priljubljen",
+ "status.filter": "Filtriraj to objavo",
"status.filtered": "Filtrirano",
"status.hide": "Skrij tut",
"status.history.created": "{name}: ustvarjeno {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Prikaži manj za vse",
"status.show_more": "Prikaži več",
"status.show_more_all": "Prikaži več za vse",
+ "status.show_original": "Pokaži izvirnik",
"status.show_thread": "Prikaži objavo",
+ "status.translate": "Prevedi",
+ "status.translated_from": "Prevedeno iz jezika: {lang}",
"status.uncached_media_warning": "Ni na voljo",
"status.unmute_conversation": "Odtišaj pogovor",
"status.unpin": "Odpni iz profila",
+ "subscribed_languages.lead": "Po spremembi bodo na vaši domači in seznamski časovnici prikazane objave samo v izbranih jezikih.",
+ "subscribed_languages.save": "Shrani spremembe",
+ "subscribed_languages.target": "Spremeni naročene jezike za {target}",
"suggestions.dismiss": "Zavrni predlog",
"suggestions.header": "Morda bi vas zanimalo…",
"tabs_bar.federated_timeline": "Združeno",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "sledilcev",
"timeline_hint.resources.follows": "Sledi",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{count} oseba govori} two {{count} osebi govorita} few {{count} osebe govorijo} other {{count} oseb govori}}",
+ "trends.counter_by_accounts": "{count, plural, one {{count} oseba} two {{count} osebi} few {{count} osebe} other {{count} oseb}} v {days, plural, one {zadnjem {day} dnevu} two {zadnjih {days} dneh} few {zadnjih {days} dneh} other {zadnjih {days} dneh}}",
"trends.trending_now": "Zdaj v trendu",
"ui.beforeunload": "Vaš osnutek bo izgubljen, če zapustite Mastodona.",
"units.short.billion": "{count} milijard",
diff --git a/app/javascript/mastodon/locales/sq.json b/app/javascript/mastodon/locales/sq.json
index 1a7c4fb25..f76730252 100644
--- a/app/javascript/mastodon/locales/sq.json
+++ b/app/javascript/mastodon/locales/sq.json
@@ -24,6 +24,7 @@
"account.follows_you": "Ju ndjek",
"account.hide_reblogs": "Fshih përforcime nga @{name}",
"account.joined": "U bë pjesë më {date}",
+ "account.languages": "Ndryshoni gjuhë pajtimesh",
"account.link_verified_on": "Pronësia e kësaj lidhjeje qe kontrolluar më {date}",
"account.locked_info": "Gjendja e privatësisë së kësaj llogarie është caktuar si e kyçur. I zoti merr dorazi në shqyrtim cilët mund ta ndjekin.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hëm!",
"announcement.announcement": "Lajmërim",
"attachments_list.unprocessed": "(e papërpunuar)",
+ "audio.hide": "Fshihe audion",
"autosuggest_hashtag.per_week": "{count} për javë",
"boost_modal.combo": "Që kjo të anashkalohet herës tjetër, mund të shtypni {combo}",
"bundle_column_error.body": "Diç shkoi ters teksa ngarkohej ky përbërës.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Lajme",
"explore.trending_statuses": "Postime",
"explore.trending_tags": "Hashtagë",
+ "filter_modal.added.context_mismatch_explanation": "Kjo kategori filtrash nuk aplikohet për kontekstin nën të cilin po merreni me këtë postim. Nëse doni që postimi të filtrohet edhe në këtë kontekst, do t’ju duhet të përpunoni filtrin.",
+ "filter_modal.added.context_mismatch_title": "Mospërputhje kontekstesh!",
+ "filter_modal.added.expired_explanation": "Kjo kategori filtrash ka skaduar, do t’ju duhet të ndryshoni datën e skadimit për të, pa të aplikohet.",
+ "filter_modal.added.expired_title": "Filtër i skaduar!",
+ "filter_modal.added.review_and_configure": "Që të shqyrtoni dhe formësoni më tej këtë kategori filtrash, kaloni te {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Rregullime filtrash",
+ "filter_modal.added.settings_link": "faqe rregullimesh",
+ "filter_modal.added.short_explanation": "Ky postim është shtuar te kategoria vijuese e filtrave: {title}.",
+ "filter_modal.added.title": "U shtua filtër!",
+ "filter_modal.select_filter.context_mismatch": "mos e apliko mbi këtë kontekst",
+ "filter_modal.select_filter.expired": "ka skaduar",
+ "filter_modal.select_filter.prompt_new": "Kategori e re: {name}",
+ "filter_modal.select_filter.search": "Kërkoni, ose krijoni",
+ "filter_modal.select_filter.subtitle": "Përdorni një kategori ekzistuese, ose krijoni një të re",
+ "filter_modal.select_filter.title": "Filtroje këtë postim",
+ "filter_modal.title.status": "Filtroni një postim",
"follow_recommendations.done": "U bë",
"follow_recommendations.heading": "Ndiqni persona prej të cilëve doni të shihni postime! Ja ca sugjerime.",
"follow_recommendations.lead": "Postimet prej personash që ndiqni do të shfaqen në rend kohor te prurja juaj kryesore. Mos kini frikë të bëni gabime, mund të ndalni po aq kollaj ndjekjen e dikujt, në çfarëdo kohe!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Si t’ia fillohet",
"getting_started.invite": "Ftoni njerëz",
"getting_started.open_source_notice": "Mastodon-i është software me burim të hapur. Mund të jepni ndihmesë ose të njoftoni probleme në the computer lab, te {github}.",
+ "getting_started.privacy_policy": "Rregulla Privatësie",
"getting_started.security": "Rregullime llogarie",
- "getting_started.terms": "Kushte shërbimi",
"hashtag.column_header.tag_mode.all": "dhe {additional}",
"hashtag.column_header.tag_mode.any": "ose {additional}",
"hashtag.column_header.tag_mode.none": "pa {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Cilindo prej këtyre",
"hashtag.column_settings.tag_mode.none": "Asnjë prej këtyre",
"hashtag.column_settings.tag_toggle": "Përfshi etiketa shtesë për këtë shtyllë",
+ "hashtag.follow": "Ndiqe hashtag-un",
+ "hashtag.unfollow": "Hiqe ndjekjen e hashtag-ut",
"home.column_settings.basic": "Bazë",
"home.column_settings.show_reblogs": "Shfaq përforcime",
"home.column_settings.show_replies": "Shfaq përgjigje",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "S’u gjet gjë për këto terma kërkimi",
"search_results.statuses": "Mesazhe",
"search_results.statuses_fts_disabled": "Kërkimi i mesazheve sipas lëndës së tyre s’është i aktivizuar në këtë shërbyes Mastodon.",
+ "search_results.title": "Kërkoni për {q}",
"search_results.total": "{count, number} {count, plural, one {përfundim} other {përfundime}}",
+ "sign_in_banner.create_account": "Krijoni llogari",
+ "sign_in_banner.sign_in": "Hyni",
+ "sign_in_banner.text": "Që të ndiqni profile ose hashtag-ë, të pëlqeni, të ndani me të tjerë dhe të përgjigjeni në postime, apo të ndërveproni me llogarinë tuaj nga një shërbyes tjetër, bëni hyrjen.",
"status.admin_account": "Hap ndërfaqe moderimi për @{name}",
"status.admin_status": "Hape këtë mesazh te ndërfaqja e moderimit",
"status.block": "Blloko @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Përpunuar {count, plural, one {{count} herë} other {{count} herë}}",
"status.embed": "Trupëzim",
"status.favourite": "I parapëlqyer",
+ "status.filter": "Filtroje këtë postim",
"status.filtered": "I filtruar",
"status.hide": "Fshihe mesazhin",
"status.history.created": "{name} u krijua më {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Shfaq më pak për të tërë",
"status.show_more": "Shfaq më tepër",
"status.show_more_all": "Shfaq më tepër për të tërë",
+ "status.show_original": "Shfaq origjinalin",
"status.show_thread": "Shfaq rrjedhën",
+ "status.translate": "Përktheje",
+ "status.translated_from": "Përkthyer nga {lang}",
"status.uncached_media_warning": "Jo e passhme",
"status.unmute_conversation": "Ktheji zërin bisedës",
"status.unpin": "Shfiksoje nga profili",
+ "subscribed_languages.lead": "Pas ndryshimit, te kreu juaj dhe te rrjedha kohore liste do të shfaqen vetëm postime në gjuhët e përzgjedhura. Që të merrni postime në krejt gjuhë, mos përzgjidhni gjë.",
+ "subscribed_languages.save": "Ruaji ndryshimet",
+ "subscribed_languages.target": "Ndryshoni gjuhë pajtimesh për {target}",
"suggestions.dismiss": "Mos e merr parasysh sugjerimin",
"suggestions.header": "Mund t’ju interesonte…",
"tabs_bar.federated_timeline": "E federuar",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Ndjekës",
"timeline_hint.resources.follows": "Ndjekje",
"timeline_hint.resources.statuses": "Mesazhe të vjetër",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} vetë}} duke folur",
+ "trends.counter_by_accounts": "{count, plural, një {{counter} person} other {{counter} vetë}} në {days, plural, një {day} other {{days} ditë}} të kaluar",
"trends.trending_now": "Prirjet e tashme",
"ui.beforeunload": "Skica juaj do të humbë, nëse dilni nga Mastodon-i.",
"units.short.billion": "{count}Md",
diff --git a/app/javascript/mastodon/locales/sr-Latn.json b/app/javascript/mastodon/locales/sr-Latn.json
index 203f502c6..c6856f23d 100644
--- a/app/javascript/mastodon/locales/sr-Latn.json
+++ b/app/javascript/mastodon/locales/sr-Latn.json
@@ -24,6 +24,7 @@
"account.follows_you": "Prati Vas",
"account.hide_reblogs": "Sakrij podrške koje daje korisnika @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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": "Mediji",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "Možete pritisnuti {combo} da preskočite ovo sledeći put",
"bundle_column_error.body": "Nešto je pošlo po zlu prilikom učitavanja ove komponente.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Da počnete",
"getting_started.invite": "Invite people",
"getting_started.open_source_notice": "Mastodont je softver otvorenog koda. Možete mu doprineti ili prijaviti probleme preko the computer lab-a na {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Osnovno",
"home.column_settings.show_reblogs": "Prikaži i podržavanja",
"home.column_settings.show_replies": "Prikaži odgovore",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {rezultat} few {rezultata} other {rezultata}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Ugradi na sajt",
"status.favourite": "Omiljeno",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Prikaži više",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Uključi prepisku",
"status.unpin": "Otkači sa profila",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federisano",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Ako napustite Mastodont, izgubićete napisani nacrt.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/sr.json b/app/javascript/mastodon/locales/sr.json
index 42ae479da..52c994ee9 100644
--- a/app/javascript/mastodon/locales/sr.json
+++ b/app/javascript/mastodon/locales/sr.json
@@ -24,6 +24,7 @@
"account.follows_you": "Прати Вас",
"account.hide_reblogs": "Сакриј подршке које даје корисника @{name}",
"account.joined": "Придружио/ла се {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Власништво над овом везом је проверено {date}",
"account.locked_info": "Статус приватности овог налога је подешен на закључано. Власник ручно прегледа ко га може пратити.",
"account.media": "Медији",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Упс!",
"announcement.announcement": "Најава",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} недељно",
"boost_modal.combo": "Можете притиснути {combo} да прескочите ово следећи пут",
"bundle_column_error.body": "Нешто је пошло по злу приликом учитавања ове компоненте.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Да почнете",
"getting_started.invite": "Позовите људе",
"getting_started.open_source_notice": "Мастoдон је софтвер отвореног кода. Можете му допринети или пријавити проблеме преко ГитХаба на {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Било које од ових",
"hashtag.column_settings.tag_mode.none": "Ништа од ових",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Основно",
"home.column_settings.show_reblogs": "Прикажи и подржавања",
"home.column_settings.show_replies": "Прикажи одговоре",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Трубе",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {резултат} few {резултата} other {резултата}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Отвори модераторски интерфејс за @{name}",
"status.admin_status": "Отвори овај статус у модераторском интерфејсу",
"status.block": "Блокирај @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Угради на сајт",
"status.favourite": "Омиљено",
+ "status.filter": "Filter this post",
"status.filtered": "Филтрирано",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Прикажи мање за све",
"status.show_more": "Прикажи више",
"status.show_more_all": "Прикажи више за све",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Није доступно",
"status.unmute_conversation": "Укључи преписку",
"status.unpin": "Откачи са налога",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Федерисано",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Пратиоци",
"timeline_hint.resources.follows": "Праћени",
"timeline_hint.resources.statuses": "Старији тут",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Ако напустите Мастодонт, изгубићете написани нацрт.",
"units.short.billion": "{count}Б",
diff --git a/app/javascript/mastodon/locales/sv.json b/app/javascript/mastodon/locales/sv.json
index 4a90eb41d..c165e7ff1 100644
--- a/app/javascript/mastodon/locales/sv.json
+++ b/app/javascript/mastodon/locales/sv.json
@@ -24,6 +24,7 @@
"account.follows_you": "Följer dig",
"account.hide_reblogs": "Dölj knuffar från @{name}",
"account.joined": "Gick med {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Ägarskap för detta konto kontrollerades den {date}",
"account.locked_info": "Detta konto har låst integritetsstatus. Ägaren väljer manuellt vem som kan följa.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hoppsan!",
"announcement.announcement": "Meddelande",
"attachments_list.unprocessed": "(obearbetad)",
+ "audio.hide": "Dölj audio",
"autosuggest_hashtag.per_week": "{count} per vecka",
"boost_modal.combo": "Du kan trycka {combo} för att slippa detta nästa gång",
"bundle_column_error.body": "Något gick fel medan denna komponent laddades.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Nyheter",
"explore.trending_statuses": "Inlägg",
"explore.trending_tags": "Hashtaggar",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Klar",
"follow_recommendations.heading": "Följ personer som du skulle vilja se inlägg från! Här finns det några förslag.",
"follow_recommendations.lead": "Inlägg från personer du följer kommer att dyka upp i kronologisk ordning i ditt hem-flöde. Var inte rädd för att göra misstag, du kan sluta följa människor lika enkelt när som helst!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Kom igång",
"getting_started.invite": "Skicka inbjudningar",
"getting_started.open_source_notice": "Mastodon är programvara med öppen källkod. Du kan bidra eller rapportera problem via the computer lab på {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "Kontoinställningar",
- "getting_started.terms": "Användarvillkor",
"hashtag.column_header.tag_mode.all": "och {additional}",
"hashtag.column_header.tag_mode.any": "eller {additional}",
"hashtag.column_header.tag_mode.none": "utan {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Någon av dessa",
"hashtag.column_settings.tag_mode.none": "Ingen av dessa",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Grundläggande",
"home.column_settings.show_reblogs": "Visa knuffar",
"home.column_settings.show_replies": "Visa svar",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Kunde inte hitta något för dessa sökord",
"search_results.statuses": "Inlägg",
"search_results.statuses_fts_disabled": "Att söka toots med deras innehåll är inte möjligt på denna Mastodon-server.",
- "search_results.total": "{count, number} {count, plural, ett {result} andra {results}}",
+ "search_results.title": "Search for {q}",
+ "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Öppet modereringsgränssnitt för @{name}",
"status.admin_status": "Öppna denna status i modereringsgränssnittet",
"status.block": "Blockera @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Redigerad {count, plural, one {{count} gång} other {{count} gånger}}",
"status.embed": "Bädda in",
"status.favourite": "Favorit",
+ "status.filter": "Filter this post",
"status.filtered": "Filtrerat",
"status.hide": "Hide toot",
"status.history.created": "{name} skapade {date}",
@@ -497,10 +522,16 @@
"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_original": "Show original",
"status.show_thread": "Visa tråd",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Ej tillgängligt",
"status.unmute_conversation": "Öppna konversation",
"status.unpin": "Ångra fäst i profil",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Avfärda förslag",
"suggestions.header": "Du kanske är intresserad av…",
"tabs_bar.federated_timeline": "Federerad",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Följare",
"timeline_hint.resources.follows": "Följer",
"timeline_hint.resources.statuses": "Äldre tutningar",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} personer}} pratar",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trendar nu",
"ui.beforeunload": "Ditt utkast kommer att förloras om du lämnar Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/szl.json b/app/javascript/mastodon/locales/szl.json
index 75656983b..85081d523 100644
--- a/app/javascript/mastodon/locales/szl.json
+++ b/app/javascript/mastodon/locales/szl.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ta.json b/app/javascript/mastodon/locales/ta.json
index 6491ff7b7..8ef02972b 100644
--- a/app/javascript/mastodon/locales/ta.json
+++ b/app/javascript/mastodon/locales/ta.json
@@ -9,21 +9,22 @@
"account.browse_more_on_origin_server": "மேலும் உலாவ சுயவிவரத்திற்குச் செல்க",
"account.cancel_follow_request": "பின்தொடரும் கோரிக்கையை நிராகரி",
"account.direct": "நேரடி செய்தி @{name}",
- "account.disable_notifications": "Stop notifying me when @{name} posts",
+ "account.disable_notifications": "@{name} பதிவிட்டல் எனக்கு தெரியபடுத்த வேண்டாம்",
"account.domain_blocked": "மறைக்கப்பட்டத் தளங்கள்",
"account.edit_profile": "சுயவிவரத்தை மாற்று",
- "account.enable_notifications": "Notify me when @{name} posts",
+ "account.enable_notifications": "@{name} பதிவிட்டல் எனக்குத் தெரியப்படுத்தவும்",
"account.endorse": "சுயவிவரத்தில் வெளிப்படுத்து",
"account.follow": "பின்தொடர்",
"account.followers": "பின்தொடர்பவர்கள்",
"account.followers.empty": "இதுவரை யாரும் இந்த பயனரைப் பின்தொடரவில்லை.",
"account.followers_counter": "{count, plural, one {{counter} வாசகர்} other {{counter} வாசகர்கள்}}",
- "account.following": "Following",
+ "account.following": "பின்தொடரும்",
"account.following_counter": "{count, plural,one {{counter} சந்தா} other {{counter} சந்தாக்கள்}}",
"account.follows.empty": "இந்த பயனர் இதுவரை யாரையும் பின்தொடரவில்லை.",
"account.follows_you": "உங்களைப் பின்தொடர்கிறார்",
"account.hide_reblogs": "இருந்து ஊக்கியாக மறை @{name}",
- "account.joined": "Joined {date}",
+ "account.joined": "சேர்ந்த நாள் {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "இந்த இணைப்பை உரிமையாளர் சரிபார்க்கப்பட்டது {date}",
"account.locked_info": "இந்தக் கணக்கு தனியுரிமை நிலை பூட்டப்பட்டுள்ளது. அவர்களைப் பின்தொடர்பவர் யார் என்பதை உரிமையாளர் கைமுறையாக மதிப்பாய்வு செய்கிறார்.",
"account.media": "ஊடகங்கள்",
@@ -41,24 +42,25 @@
"account.statuses_counter": "{count, plural, one {{counter} டூட்} other {{counter} டூட்டுகள்}}",
"account.unblock": "@{name} மீது தடை நீக்குக",
"account.unblock_domain": "{domain} ஐ காண்பி",
- "account.unblock_short": "Unblock",
+ "account.unblock_short": "தடையை நீக்கு",
"account.unendorse": "சுயவிவரத்தில் இடம்பெற வேண்டாம்",
"account.unfollow": "பின்தொடர்வதை நிறுத்துக",
"account.unmute": "@{name} இன் மீது மௌனத் தடையை நீக்குக",
"account.unmute_notifications": "@{name} இலிருந்து அறிவிப்புகளின் மீது மௌனத் தடையை நீக்குக",
- "account.unmute_short": "Unmute",
+ "account.unmute_short": "அமைதியை நீக்கு",
"account_note.placeholder": "குறிப்பு ஒன்றை சேர்க்க சொடுக்கவும்",
- "admin.dashboard.daily_retention": "User retention rate by day after sign-up",
- "admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
- "admin.dashboard.retention.average": "Average",
- "admin.dashboard.retention.cohort": "Sign-up month",
- "admin.dashboard.retention.cohort_size": "New users",
+ "admin.dashboard.daily_retention": "பதிவுசெய்த பிறகு நாள்தோறும் பயனர் தக்கவைப்பு விகிதம்",
+ "admin.dashboard.monthly_retention": "பதிவுசெய்த பிறகு மாதந்தோறும் பயனர் தக்கவைப்பு விகிதம்",
+ "admin.dashboard.retention.average": "சராசரி",
+ "admin.dashboard.retention.cohort": "பதிவுசெய்த மாதம்",
+ "admin.dashboard.retention.cohort_size": "புதிய பயனர்கள்",
"alert.rate_limited.message": "{retry_time, time, medium} க்கு பிறகு மீண்டும் முயற்சிக்கவும்.",
"alert.rate_limited.title": "பயன்பாடு கட்டுப்படுத்தப்பட்டுள்ளது",
"alert.unexpected.message": "எதிர்பாராத பிழை ஏற்பட்டுவிட்டது.",
"alert.unexpected.title": "அச்சச்சோ!",
"announcement.announcement": "அறிவிப்பு",
- "attachments_list.unprocessed": "(unprocessed)",
+ "attachments_list.unprocessed": "(செயலாக்கப்படாதது)",
+ "audio.hide": "ஆடியோவை மறை",
"autosuggest_hashtag.per_week": "ஒவ்வொரு வாரம் {count}",
"boost_modal.combo": "நீங்கள் இதை அடுத்தமுறை தவிர்க்க {combo} வை அழுத்தவும்",
"bundle_column_error.body": "இக்கூற்றை ஏற்றம் செய்யும்பொழுது ஏதோ தவறு ஏற்பட்டுள்ளது.",
@@ -70,7 +72,7 @@
"column.blocks": "தடுக்கப்பட்ட பயனர்கள்",
"column.bookmarks": "அடையாளக்குறிகள்",
"column.community": "சுய நிகழ்வு காலவரிசை",
- "column.direct": "Direct messages",
+ "column.direct": "நேரடி செய்திகள்",
"column.directory": "சுயவிவரங்களை உலாவு",
"column.domain_blocks": "மறைந்திருக்கும் திரளங்கள்",
"column.favourites": "பிடித்தவைகள்",
@@ -92,10 +94,10 @@
"community.column_settings.local_only": "அருகிலிருந்து மட்டுமே",
"community.column_settings.media_only": "படங்கள் மட்டுமே",
"community.column_settings.remote_only": "தொலைவிலிருந்து மட்டுமே",
- "compose.language.change": "Change language",
- "compose.language.search": "Search languages...",
+ "compose.language.change": "மொழியை மாற்று",
+ "compose.language.search": "தேடல் மொழிகள்...",
"compose_form.direct_message_warning_learn_more": "மேலும் அறிய",
- "compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
+ "compose_form.encryption_warning": "Mastodonல் உள்ள பதிவுகள் முறையாக என்க்ரிப்ட்(encrypt) செய்யபடவில்லை. அதனால் முக்கிய தகவல்களை இங்கே பகிர வேண்டாம்.",
"compose_form.hashtag_warning": "இது ஒரு பட்டியலிடப்படாத டூட் என்பதால் எந்த ஹேஷ்டேகின் கீழும் வராது. ஹேஷ்டேகின் மூலம் பொதுவில் உள்ள டூட்டுகளை மட்டுமே தேட முடியும்.",
"compose_form.lock_disclaimer": "உங்கள் கணக்கு {locked} செய்யப்படவில்லை. உங்கள் பதிவுகளை யார் வேண்டுமானாலும் பின்தொடர்ந்து காணலாம்.",
"compose_form.lock_disclaimer.lock": "பூட்டப்பட்டது",
@@ -106,9 +108,9 @@
"compose_form.poll.remove_option": "இந்தத் தேர்வை அகற்று",
"compose_form.poll.switch_to_multiple": "பல தேர்வுகளை அனுமதிக்குமாறு மாற்று",
"compose_form.poll.switch_to_single": "ஒரே ஒரு தேர்வை மட்டும் அனுமதிக்குமாறு மாற்று",
- "compose_form.publish": "Publish",
+ "compose_form.publish": "வெளியிடு",
"compose_form.publish_loud": "{publish}!",
- "compose_form.save_changes": "Save changes",
+ "compose_form.save_changes": "மாற்றங்களை சேமி",
"compose_form.sensitive.hide": "அனைவருக்கும் ஏற்றப் படம் இல்லை எனக் குறியிடு",
"compose_form.sensitive.marked": "இப்படம் அனைவருக்கும் ஏற்றதல்ல எனக் குறியிடப்பட்டுள்ளது",
"compose_form.sensitive.unmarked": "இப்படம் அனைவருக்கும் ஏற்றதல்ல எனக் குறியிடப்படவில்லை",
@@ -123,8 +125,8 @@
"confirmations.delete.message": "இப்பதிவை நிச்சயமாக நீக்க விரும்புகிறீர்களா?",
"confirmations.delete_list.confirm": "நீக்கு",
"confirmations.delete_list.message": "இப்பட்டியலை நிரந்தரமாக நீக்க நிச்சயம் விரும்புகிறீர்களா?",
- "confirmations.discard_edit_media.confirm": "Discard",
- "confirmations.discard_edit_media.message": "You have unsaved changes to the media description or preview, discard them anyway?",
+ "confirmations.discard_edit_media.confirm": "நிராகரி",
+ "confirmations.discard_edit_media.message": "சேமிக்கப்படாத மாற்றங்கள் ஊடக விளக்கம் அல்லது முன்னோட்டத்தில் உள்ளது. அவற்றை நிராகரிக்கவா?",
"confirmations.domain_block.confirm": "முழு களத்தையும் மறை",
"confirmations.domain_block.message": "நீங்கள் முழு {domain} களத்தையும் நிச்சயமாக, நிச்சயமாகத் தடுக்க விரும்புகிறீர்களா? பெரும்பாலும் சில குறிப்பிட்ட பயனர்களைத் தடுப்பதே போதுமானது. முழு களத்தையும் தடுத்தால், அதிலிருந்து வரும் எந்தப் பதிவையும் உங்களால் காண முடியாது, மேலும் அப்பதிவுகள் குறித்த அறிவிப்புகளும் உங்களுக்கு வராது. அந்தக் களத்தில் இருக்கும் பின்தொடர்பவர்கள் உங்கள் பக்கத்திலிருந்து நீக்கப்படுவார்கள்.",
"confirmations.logout.confirm": "வெளியேறு",
@@ -149,7 +151,7 @@
"embed.instructions": "இந்தப் பதிவை உங்கள் வலைதளத்தில் பொதிக்கக் கீழே உள்ள வரிகளை காப்பி செய்யவும்.",
"embed.preview": "பார்க்க இப்படி இருக்கும்:",
"emoji_button.activity": "செயல்பாடு",
- "emoji_button.clear": "Clear",
+ "emoji_button.clear": "அழி",
"emoji_button.custom": "தனிப்பயன்",
"emoji_button.flags": "கொடிகள்",
"emoji_button.food": "உணவு மற்றும் பானம்",
@@ -163,13 +165,13 @@
"emoji_button.search_results": "தேடல் முடிவுகள்",
"emoji_button.symbols": "குறியீடுகள்",
"emoji_button.travel": "சுற்றுலா மற்றும் இடங்கள்",
- "empty_column.account_suspended": "Account suspended",
+ "empty_column.account_suspended": "கணக்கு இடைநீக்கப்பட்டது",
"empty_column.account_timeline": "டூட்டுகள் ஏதும் இல்லை!",
"empty_column.account_unavailable": "சுயவிவரம் கிடைக்கவில்லை",
"empty_column.blocks": "நீங்கள் இதுவரை எந்தப் பயனர்களையும் முடக்கியிருக்கவில்லை.",
"empty_column.bookmarked_statuses": "உங்களிடம் அடையாளக்குறியிட்ட டூட்டுகள் எவையும் இல்லை. அடையாளக்குறியிட்ட பிறகு அவை இங்கே காட்டப்படும்.",
"empty_column.community": "உங்கள் மாஸ்டடான் முச்சந்தியில் யாரும் இல்லை. எதையேனும் எழுதி ஆட்டத்தைத் துவக்குங்கள்!",
- "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
+ "empty_column.direct": "உங்களுக்குத் தனிப்பட்ட செய்திகள் ஏதும் இல்லை. செய்தியை நீங்கள் அனுப்பும்போதோ அல்லது பெறும்போதோ, அது இங்கே காண்பிக்கப்படும்.",
"empty_column.domain_blocks": "தடுக்கப்பட்டக் களங்கள் இதுவரை இல்லை.",
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
"empty_column.favourited_statuses": "உங்களுக்குப் பிடித்த டூட்டுகள் இதுவரை இல்லை. ஒரு டூட்டில் நீங்கள் விருப்பக்குறி இட்டால், அது இங்கே காண்பிக்கப்படும்.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "முதன்மைப் பக்கம்",
"getting_started.invite": "நண்பர்களை அழைக்க",
"getting_started.open_source_notice": "மாஸ்டடான் ஒரு open source மென்பொருள் ஆகும். {github} -இன் மூலம் உங்களால் இதில் பங்களிக்கவோ, சிக்கல்களைத் தெரியப்படுத்தவோ முடியும்.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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} தவிர்த்து",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "இவற்றில் எவையேனும்",
"hashtag.column_settings.tag_mode.none": "இவற்றில் ஏதுமில்லை",
"hashtag.column_settings.tag_toggle": "இந்த நெடுவரிசையில் கூடுதல் சிட்டைகளைச் சேர்க்கவும்",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "அடிப்படையானவை",
"home.column_settings.show_reblogs": "பகிர்வுகளைக் காண்பி",
"home.column_settings.show_replies": "மறுமொழிகளைக் காண்பி",
@@ -366,7 +386,7 @@
"poll.closed": "மூடிய",
"poll.refresh": "பத்துயிர்ப்ப?ட்டு",
"poll.total_people": "{count, plural, one {# நபர்} other {# நபர்கள்}}",
- "poll.total_votes": "{count, plural, one {# vote} மற்ற {# votes}}",
+ "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "வாக்களி",
"poll.voted": "உங்கள் தேர்வு",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "டூட்டுகள்",
"search_results.statuses_fts_disabled": "டூட்டுகளின் வார்த்தைகளைக்கொண்டு தேடுவது இந்த மச்டோடன் வழங்கியில் இயல்விக்கப்படவில்லை.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} மற்ற {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "மிதமான இடைமுகத்தை திறக்க @{name}",
"status.admin_status": "மிதமான இடைமுகத்தில் இந்த நிலையை திறக்கவும்",
"status.block": "@{name} -ஐத் தடு",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "கிடத்து",
"status.favourite": "விருப்பத்துக்குகந்த",
+ "status.filter": "Filter this post",
"status.filtered": "வடிகட்டு",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "அனைத்தையும் குறைவாக காட்டு",
"status.show_more": "மேலும் காட்ட",
"status.show_more_all": "அனைவருக்கும் மேலும் காட்டு",
+ "status.show_original": "Show original",
"status.show_thread": "நூல் காட்டு",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "கிடைக்கவில்லை",
"status.unmute_conversation": "ஊமையாக உரையாடல் இல்லை",
"status.unpin": "சுயவிவரத்திலிருந்து நீக்கவும்",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "பரிந்துரை விலக்க",
"suggestions.header": "நீங்கள் ஆர்வமாக இருக்கலாம் …",
"tabs_bar.federated_timeline": "கூட்டமைந்த",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "வாசகர்கள்",
"timeline_hint.resources.follows": "வாசிக்கிறார்",
"timeline_hint.resources.statuses": "பழைய டூட்டுகள்",
- "trends.counter_by_accounts": "{count, plural, one {{counter} நபர்} other {{counter} நபர்கள்}} உரையாடலில்",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "இப்போது செல்திசையில் இருப்பவை",
"ui.beforeunload": "நீங்கள் வெளியே சென்றால் உங்கள் வரைவு இழக்கப்படும் மஸ்தோடோன்.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/tai.json b/app/javascript/mastodon/locales/tai.json
index afbd0f76e..85b644d31 100644
--- a/app/javascript/mastodon/locales/tai.json
+++ b/app/javascript/mastodon/locales/tai.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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": "Mûi-thé",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/te.json b/app/javascript/mastodon/locales/te.json
index 216777c9c..7a0f0db28 100644
--- a/app/javascript/mastodon/locales/te.json
+++ b/app/javascript/mastodon/locales/te.json
@@ -24,6 +24,7 @@
"account.follows_you": "మిమ్మల్ని అనుసరిస్తున్నారు",
"account.hide_reblogs": "@{name} నుంచి బూస్ట్ లను దాచిపెట్టు",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "ఈ లంకె యొక్క యాజమాన్యం {date}న పరీక్షించబడింది",
"account.locked_info": "ఈ ఖాతా యొక్క గోప్యత స్థితి లాక్ చేయబడి వుంది. ఈ ఖాతాను ఎవరు అనుసరించవచ్చో యజమానే నిర్ణయం తీసుకుంటారు.",
"account.media": "మీడియా",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "అయ్యో!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "మీరు తదుపరిసారి దీనిని దాటవేయడానికి {combo} నొక్కవచ్చు",
"bundle_column_error.body": "ఈ భాగం లోడ్ అవుతున్నప్పుడు ఏదో తప్పు జరిగింది.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "మొదలుపెడదాం",
"getting_started.invite": "వ్యక్తులను ఆహ్వానించండి",
"getting_started.open_source_notice": "మాస్టొడొన్ ఓపెన్ సోర్స్ సాఫ్ట్వేర్. మీరు {github} వద్ద the computer lab పై సమస్యలను నివేదించవచ్చు లేదా తోడ్పడచ్చు.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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} లేకుండా",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "వీటిలో ఏవైనా",
"hashtag.column_settings.tag_mode.none": "ఇవేవీ కావు",
"hashtag.column_settings.tag_toggle": "ఈ నిలువు వరుసలో మరికొన్ని ట్యాగులను చేర్చండి",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "ప్రాథమిక",
"home.column_settings.show_reblogs": "బూస్ట్ లను చూపించు",
"home.column_settings.show_replies": "ప్రత్యుత్తరాలను చూపించు",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "టూట్లు",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "@{name} కొరకు సమన్వయ వినిమయసీమను తెరువు",
"status.admin_status": "సమన్వయ వినిమయసీమలో ఈ స్టేటస్ ను తెరవండి",
"status.block": "@{name} ను బ్లాక్ చేయి",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "ఎంబెడ్",
"status.favourite": "ఇష్టపడు",
+ "status.filter": "Filter this post",
"status.filtered": "వడకట్టబడిన",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "అన్నిటికీ తక్కువ చూపించు",
"status.show_more": "ఇంకా చూపించు",
"status.show_more_all": "అన్నిటికీ ఇంకా చూపించు",
+ "status.show_original": "Show original",
"status.show_thread": "గొలుసును చూపించు",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "సంభాషణను అన్మ్యూట్ చేయి",
"status.unpin": "ప్రొఫైల్ నుండి పీకివేయు",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "సూచనను రద్దు చేయి",
"suggestions.header": "మీకు వీటి మీద ఆసక్తి ఉండవచ్చు…",
"tabs_bar.federated_timeline": "సమాఖ్య",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "మీరు మాస్టొడొన్ను వదిలివేస్తే మీ డ్రాఫ్ట్లు పోతాయి.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/th.json b/app/javascript/mastodon/locales/th.json
index 1a0dc24d6..4fc28960a 100644
--- a/app/javascript/mastodon/locales/th.json
+++ b/app/javascript/mastodon/locales/th.json
@@ -24,6 +24,7 @@
"account.follows_you": "ติดตามคุณ",
"account.hide_reblogs": "ซ่อนการดันจาก @{name}",
"account.joined": "เข้าร่วมเมื่อ {date}",
+ "account.languages": "เปลี่ยนภาษาที่บอกรับ",
"account.link_verified_on": "ตรวจสอบความเป็นเจ้าของของลิงก์นี้เมื่อ {date}",
"account.locked_info": "มีการตั้งสถานะความเป็นส่วนตัวของบัญชีนี้เป็นล็อคอยู่ เจ้าของตรวจทานผู้ที่สามารถติดตามเขาด้วยตนเอง",
"account.media": "สื่อ",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "อุปส์!",
"announcement.announcement": "ประกาศ",
"attachments_list.unprocessed": "(ยังไม่ได้ประมวลผล)",
+ "audio.hide": "ซ่อนเสียง",
"autosuggest_hashtag.per_week": "{count} ต่อสัปดาห์",
"boost_modal.combo": "คุณสามารถกด {combo} เพื่อข้ามสิ่งนี้ในครั้งถัดไป",
"bundle_column_error.body": "มีบางอย่างผิดพลาดขณะโหลดส่วนประกอบนี้",
@@ -196,9 +198,25 @@
"explore.trending_links": "ข่าว",
"explore.trending_statuses": "โพสต์",
"explore.trending_tags": "แฮชแท็ก",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "บริบทไม่ตรงกัน!",
+ "filter_modal.added.expired_explanation": "หมวดหมู่ตัวกรองนี้หมดอายุแล้ว คุณจะต้องเปลี่ยนวันหมดอายุสำหรับหมวดหมู่เพื่อนำไปใช้",
+ "filter_modal.added.expired_title": "ตัวกรองหมดอายุแล้ว!",
+ "filter_modal.added.review_and_configure": "เพื่อตรวจทานและกำหนดค่าหมวดหมู่ตัวกรองนี้เพิ่มเติม ไปยัง {settings_link}",
+ "filter_modal.added.review_and_configure_title": "การตั้งค่าตัวกรอง",
+ "filter_modal.added.settings_link": "หน้าการตั้งค่า",
+ "filter_modal.added.short_explanation": "เพิ่มโพสต์นี้ไปยังหมวดหมู่ตัวกรองดังต่อไปนี้แล้ว: {title}",
+ "filter_modal.added.title": "เพิ่มตัวกรองแล้ว!",
+ "filter_modal.select_filter.context_mismatch": "ไม่นำไปใช้กับบริบทนี้",
+ "filter_modal.select_filter.expired": "หมดอายุแล้ว",
+ "filter_modal.select_filter.prompt_new": "หมวดหมู่ใหม่: {name}",
+ "filter_modal.select_filter.search": "ค้นหาหรือสร้าง",
+ "filter_modal.select_filter.subtitle": "ใช้หมวดหมู่ที่มีอยู่หรือสร้างหมวดหมู่ใหม่",
+ "filter_modal.select_filter.title": "กรองโพสต์นี้",
+ "filter_modal.title.status": "กรองโพสต์",
"follow_recommendations.done": "เสร็จสิ้น",
"follow_recommendations.heading": "ติดตามผู้คนที่คุณต้องการเห็นโพสต์! นี่คือข้อเสนอแนะบางส่วน",
- "follow_recommendations.lead": "โพสต์จากคนที่คุณติดตามจะแสดงตามลำดับเวลาบนฟีดหลักของคุณ อย่ากลัวที่จะทำผิดพลาด คุณสามารถเลิกติดตามผู้คนได้ง่ายๆ ทุกเมื่อ!",
+ "follow_recommendations.lead": "โพสต์จากผู้คนที่คุณติดตามจะแสดงตามลำดับเวลาในฟีดหน้าแรกของคุณ อย่ากลัวที่จะทำผิดพลาด คุณสามารถเลิกติดตามผู้คนได้อย่างง่ายดายเมื่อใดก็ตาม!",
"follow_request.authorize": "อนุญาต",
"follow_request.reject": "ปฏิเสธ",
"follow_requests.unlocked_explanation": "แม้ว่าไม่มีการล็อคบัญชีของคุณ พนักงานของ {domain} คิดว่าคุณอาจต้องการตรวจทานคำขอติดตามจากบัญชีเหล่านี้ด้วยตนเอง",
@@ -209,8 +227,8 @@
"getting_started.heading": "เริ่มต้นใช้งาน",
"getting_started.invite": "เชิญผู้คน",
"getting_started.open_source_notice": "Mastodon เป็นซอฟต์แวร์โอเพนซอร์ส คุณสามารถมีส่วนร่วมหรือรายงานปัญหาได้ใน the computer lab ที่ {github}",
+ "getting_started.privacy_policy": "นโยบายความเป็นส่วนตัว",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "ใดก็ตามนี้",
"hashtag.column_settings.tag_mode.none": "ไม่ใช่ทั้งหมดนี้",
"hashtag.column_settings.tag_toggle": "รวมแท็กเพิ่มเติมสำหรับคอลัมน์นี้",
+ "hashtag.follow": "ติดตามแฮชแท็ก",
+ "hashtag.unfollow": "เลิกติดตามแฮชแท็ก",
"home.column_settings.basic": "พื้นฐาน",
"home.column_settings.show_reblogs": "แสดงการดัน",
"home.column_settings.show_replies": "แสดงการตอบกลับ",
@@ -268,7 +288,7 @@
"lightbox.next": "ถัดไป",
"lightbox.previous": "ก่อนหน้า",
"limited_account_hint.action": "แสดงโปรไฟล์ต่อไป",
- "limited_account_hint.title": "โปรไฟล์นี้ถูกซ่อนไว้โดยโมเดอเรเตอร์ของเซิร์ฟเวอร์ของคุณ",
+ "limited_account_hint.title": "มีการซ่อนโปรไฟล์นี้โดยผู้ควบคุมของเซิร์ฟเวอร์ของคุณ",
"lists.account.add": "เพิ่มไปยังรายการ",
"lists.account.remove": "เอาออกจากรายการ",
"lists.delete": "ลบรายการ",
@@ -360,7 +380,7 @@
"notifications.permission_denied_alert": "ไม่สามารถเปิดใช้งานการแจ้งเตือนบนเดสก์ท็อป เนื่องจากมีการปฏิเสธสิทธิอนุญาตเบราว์เซอร์ก่อนหน้านี้",
"notifications.permission_required": "การแจ้งเตือนบนเดสก์ท็อปไม่พร้อมใช้งานเนื่องจากไม่ได้ให้สิทธิอนุญาตที่จำเป็น",
"notifications_permission_banner.enable": "เปิดใช้งานการแจ้งเตือนบนเดสก์ท็อป",
- "notifications_permission_banner.how_to_control": "หากต้องการรับการแจ้งเตือนเมื่อไม่ได้เปิด Mastodon ให้เปิดใช้การแจ้งเตือนบนเดสก์ท็อป คุณสามารถควบคุมได้ตามความต้องการด้วยการโต้ตอบประเภทที่สร้างการแจ้งเตือนบนเดสก์ท็อปผ่านปุ่ม {icon} ด้านบนเมื่อเปิดใช้งาน",
+ "notifications_permission_banner.how_to_control": "เพื่อรับการแจ้งเตือนเมื่อ Mastodon ไม่ได้เปิด เปิดใช้งานการแจ้งเตือนบนเดสก์ท็อป คุณสามารถควบคุมชนิดของการโต้ตอบที่สร้างการแจ้งเตือนบนเดสก์ท็อปได้อย่างแม่นยำผ่านปุ่ม {icon} ด้านบนเมื่อเปิดใช้งานการแจ้งเตือน",
"notifications_permission_banner.title": "ไม่พลาดสิ่งใด",
"picture_in_picture.restore": "นำกลับมา",
"poll.closed": "ปิดแล้ว",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "ไม่พบสิ่งใดสำหรับคำค้นหาเหล่านี้",
"search_results.statuses": "โพสต์",
"search_results.statuses_fts_disabled": "ไม่มีการเปิดใช้งานการค้นหาโพสต์โดยเนื้อหาของโพสต์ในเซิร์ฟเวอร์ Mastodon นี้",
+ "search_results.title": "ค้นหาสำหรับ {q}",
"search_results.total": "{count, number} {count, plural, other {ผลลัพธ์}}",
+ "sign_in_banner.create_account": "สร้างบัญชี",
+ "sign_in_banner.sign_in": "ลงชื่อเข้า",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "เปิดส่วนติดต่อการควบคุมสำหรับ @{name}",
"status.admin_status": "เปิดโพสต์นี้ในส่วนติดต่อการควบคุม",
"status.block": "ปิดกั้น @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "แก้ไข {count, plural, other {{count} ครั้ง}}",
"status.embed": "ฝัง",
"status.favourite": "ชื่นชอบ",
+ "status.filter": "กรองโพสต์นี้",
"status.filtered": "กรองอยู่",
"status.hide": "ซ่อนโพสต์",
"status.history.created": "{name} ได้สร้างเมื่อ {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "แสดงน้อยลงทั้งหมด",
"status.show_more": "แสดงเพิ่มเติม",
"status.show_more_all": "แสดงเพิ่มเติมทั้งหมด",
+ "status.show_original": "แสดงดั้งเดิม",
"status.show_thread": "แสดงกระทู้",
+ "status.translate": "แปล",
+ "status.translated_from": "แปลจาก {lang}",
"status.uncached_media_warning": "ไม่พร้อมใช้งาน",
"status.unmute_conversation": "เลิกซ่อนการสนทนา",
"status.unpin": "ถอนหมุดจากโปรไฟล์",
+ "subscribed_languages.lead": "เฉพาะโพสต์ในภาษาที่เลือกเท่านั้นที่จะปรากฏในเส้นเวลาหน้าแรกและรายการหลังจากการเปลี่ยนแปลง เลือก ไม่มี เพื่อรับโพสต์ในภาษาทั้งหมด",
+ "subscribed_languages.save": "บันทึกการเปลี่ยนแปลง",
+ "subscribed_languages.target": "เปลี่ยนภาษาที่บอกรับสำหรับ {target}",
"suggestions.dismiss": "ปิดข้อเสนอแนะ",
"suggestions.header": "คุณอาจสนใจ…",
"tabs_bar.federated_timeline": "ที่ติดต่อกับภายนอก",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "ผู้ติดตาม",
"timeline_hint.resources.follows": "การติดตาม",
"timeline_hint.resources.statuses": "โพสต์ที่เก่ากว่า",
- "trends.counter_by_accounts": "{count, plural, other {{counter} คน}}กำลังพูดคุย",
+ "trends.counter_by_accounts": "{count, plural, other {{counter} คน}}ใน {days, plural, other {{days} วัน}}ที่ผ่านมา",
"trends.trending_now": "กำลังนิยม",
"ui.beforeunload": "แบบร่างของคุณจะหายไปหากคุณออกจาก Mastodon",
"units.short.billion": "{count} พันล้าน",
diff --git a/app/javascript/mastodon/locales/tr.json b/app/javascript/mastodon/locales/tr.json
index a376c2139..6b6a4937e 100644
--- a/app/javascript/mastodon/locales/tr.json
+++ b/app/javascript/mastodon/locales/tr.json
@@ -12,7 +12,7 @@
"account.disable_notifications": "@{name} kişisinin gönderi bildirimlerini kapat",
"account.domain_blocked": "Alan adı engellendi",
"account.edit_profile": "Profili düzenle",
- "account.enable_notifications": "@{name} kişisinin gönderi bildirimlerini aç",
+ "account.enable_notifications": "@{name}'in gönderilerini bana bildir",
"account.endorse": "Profilimde öne çıkar",
"account.follow": "Takip et",
"account.followers": "Takipçi",
@@ -20,23 +20,24 @@
"account.followers_counter": "{count, plural, one {{counter} Takipçi} other {{counter} Takipçi}}",
"account.following": "Takip Ediliyor",
"account.following_counter": "{count, plural, one {{counter} Takip Edilen} other {{counter} Takip Edilen}}",
- "account.follows.empty": "Bu kullanıcı henüz kimseyi takip etmiyor.",
+ "account.follows.empty": "Bu kullanıcı henüz hiçkimseyi takip etmiyor.",
"account.follows_you": "Seni takip ediyor",
"account.hide_reblogs": "@{name} kişisinin boostlarını gizle",
"account.joined": "{date} tarihinde katıldı",
+ "account.languages": "Abone olunan dilleri değiştir",
"account.link_verified_on": "Bu bağlantının sahipliği {date} tarihinde kontrol edildi",
"account.locked_info": "Bu hesabın gizlilik durumu gizli olarak ayarlanmış. Sahibi, onu kimin takip edebileceğini manuel olarak onaylıyor.",
"account.media": "Medya",
- "account.mention": "@{name} kişisinden bahset",
+ "account.mention": "@{name}'i an",
"account.moved_to": "{name} şuraya taşındı:",
- "account.mute": "@{name} adlı kişiyi sessize al",
- "account.mute_notifications": "@{name} adlı kişinin bildirimlerini kapat",
+ "account.mute": "@{name}'i susstur",
+ "account.mute_notifications": "@{name}'in bildirimlerini sustur",
"account.muted": "Susturuldu",
"account.posts": "Gönderiler",
"account.posts_with_replies": "Gönderiler ve yanıtlar",
- "account.report": "@{name} adlı kişiyi bildir",
+ "account.report": "@{name}'i şikayet et",
"account.requested": "Onay bekleniyor. Takip isteğini iptal etmek için tıklayın",
- "account.share": "@{name} adlı kişinin profilini paylaş",
+ "account.share": "@{name}'in profilini paylaş",
"account.show_reblogs": "@{name} kişisinin boostlarını göster",
"account.statuses_counter": "{count, plural, one {{counter} Gönderi} other {{counter} Gönderi}}",
"account.unblock": "@{name} adlı kişinin engelini kaldır",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Hay aksi!",
"announcement.announcement": "Duyuru",
"attachments_list.unprocessed": "(işlenmemiş)",
+ "audio.hide": "Sesi gizle",
"autosuggest_hashtag.per_week": "Haftada {count}",
"boost_modal.combo": "Bir daha ki sefere {combo} tuşuna basabilirsin",
"bundle_column_error.body": "Bu bileşen yüklenirken bir şeyler ters gitti.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Haberler",
"explore.trending_statuses": "Gönderiler",
"explore.trending_tags": "Etiketler",
+ "filter_modal.added.context_mismatch_explanation": "Bu filtre kategorisi, bu gönderide eriştiğin bağlama uymuyor. Eğer gönderinin bu bağlamda da filtrelenmesini istiyorsanız, filtreyi düzenlemeniz gerekiyor.",
+ "filter_modal.added.context_mismatch_title": "Bağlam uyumsuzluğu!",
+ "filter_modal.added.expired_explanation": "Bu filtre kategorisinin süresi dolmuş, filtreyi uygulamak için bitiş tarihini değiştirmeniz gerekiyor.",
+ "filter_modal.added.expired_title": "Süresi dolmuş filtre!",
+ "filter_modal.added.review_and_configure": "Bu filtre kategorisini gözden geçirmek ve daha ayrıntılı bir şekilde yapılandırmak için {settings_link} adresine gidin.",
+ "filter_modal.added.review_and_configure_title": "Filtre ayarları",
+ "filter_modal.added.settings_link": "ayarlar sayfası",
+ "filter_modal.added.short_explanation": "Bu gönderi şu filtre kategorisine eklendi: {title}.",
+ "filter_modal.added.title": "Filtre eklendi!",
+ "filter_modal.select_filter.context_mismatch": "bu bağlama uymuyor",
+ "filter_modal.select_filter.expired": "süresi dolmuş",
+ "filter_modal.select_filter.prompt_new": "Yeni kategori: {name}",
+ "filter_modal.select_filter.search": "Ara veya oluştur",
+ "filter_modal.select_filter.subtitle": "Mevcut bir kategoriyi kullan veya yeni bir tane oluştur",
+ "filter_modal.select_filter.title": "Bu gönderiyi filtrele",
+ "filter_modal.title.status": "Bir gönderi filtrele",
"follow_recommendations.done": "Tamam",
"follow_recommendations.heading": "Gönderilerini görmek isteyeceğiniz kişileri takip edin! Burada bazı öneriler bulabilirsiniz.",
"follow_recommendations.lead": "Takip ettiğiniz kişilerin gönderileri anasayfa akışınızda kronolojik sırada görünmeye devam edecek. Hata yapmaktan çekinmeyin, kişileri istediğiniz anda kolayca takipten çıkabilirsiniz!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Başlarken",
"getting_started.invite": "İnsanları davet et",
"getting_started.open_source_notice": "Mastodon açık kaynaklı bir yazılımdır. the computer lab'taki {github} üzerinden katkıda bulunabilir veya sorunları bildirebilirsiniz.",
+ "getting_started.privacy_policy": "Gizlilik Politikası",
"getting_started.security": "Hesap ayarları",
- "getting_started.terms": "Kullanım şartları",
"hashtag.column_header.tag_mode.all": "ve {additional}",
"hashtag.column_header.tag_mode.any": "ya da {additional}",
"hashtag.column_header.tag_mode.none": "{additional} olmadan",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Herhangi biri",
"hashtag.column_settings.tag_mode.none": "Bunların hiçbiri",
"hashtag.column_settings.tag_toggle": "Bu sütundaki ek etiketleri içer",
+ "hashtag.follow": "Etiketi takip et",
+ "hashtag.unfollow": "Etiketi takibi bırak",
"home.column_settings.basic": "Temel",
"home.column_settings.show_reblogs": "Boostları göster",
"home.column_settings.show_replies": "Yanıtları göster",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Bu arama seçenekleriyle bir sonuç bulunamadı",
"search_results.statuses": "Gönderiler",
"search_results.statuses_fts_disabled": "Bu Mastodon sunucusunda gönderi içeriğine göre arama etkin değil.",
+ "search_results.title": "{q} araması",
"search_results.total": "{count, number} {count, plural, one {sonuç} other {sonuç}}",
+ "sign_in_banner.create_account": "Hesap oluştur",
+ "sign_in_banner.sign_in": "Giriş yap",
+ "sign_in_banner.text": "Profilleri veya etiketleri izlemek, gönderileri beğenmek, paylaşmak ve yanıtlamak için veya başka bir sunucunuzdaki hesabınızla etkileşmek için giriş yapın.",
"status.admin_account": "@{name} için denetim arayüzünü açın",
"status.admin_status": "Denetim arayüzünde bu gönderiyi açın",
"status.block": "@{name} adlı kişiyi engelle",
@@ -467,8 +491,9 @@
"status.edited_x_times": "{count, plural, one {{count} kez} other {{count} kez}} düzenlendi",
"status.embed": "Gömülü",
"status.favourite": "Favorilerine ekle",
+ "status.filter": "Bu gönderiyi filtrele",
"status.filtered": "Filtrelenmiş",
- "status.hide": "Hide toot",
+ "status.hide": "Gönderiyi sakla",
"status.history.created": "{name} oluşturdu {date}",
"status.history.edited": "{name} düzenledi {date}",
"status.load_more": "Daha fazlasını yükle",
@@ -497,10 +522,16 @@
"status.show_less_all": "Hepsi için daha az göster",
"status.show_more": "Daha fazlasını göster",
"status.show_more_all": "Hepsi için daha fazla göster",
+ "status.show_original": "Orijinali göster",
"status.show_thread": "Konuyu göster",
+ "status.translate": "Çevir",
+ "status.translated_from": "{lang} dilinden çevrildi",
"status.uncached_media_warning": "Mevcut değil",
"status.unmute_conversation": "Sohbet sesini aç",
"status.unpin": "Profilden sabitlemeyi kaldır",
+ "subscribed_languages.lead": "Değişiklikten sonra ana akışınızda sadece seçili dillerdeki gönderiler görüntülenecek ve zaman akışları listelenecektir. Tüm dillerde gönderiler için hiçbirini seçin.",
+ "subscribed_languages.save": "Değişiklikleri kaydet",
+ "subscribed_languages.target": "{target} abone olduğu dilleri değiştir",
"suggestions.dismiss": "Öneriyi görmezden gel",
"suggestions.header": "Şuna ilgi duyuyor olabilirsiniz…",
"tabs_bar.federated_timeline": "Federe",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Takipçiler",
"timeline_hint.resources.follows": "Takip Edilenler",
"timeline_hint.resources.statuses": "Eski tootlar",
- "trends.counter_by_accounts": "{count, plural, one {{counter} kişi} other {{counter} kişi}} konuşuyor",
+ "trends.counter_by_accounts": "Son {days, plural, one {gündeki} other {{days} gündeki}} {count, plural, one {{counter} kişi} other {{counter} kişi}}",
"trends.trending_now": "Şu an gündemde",
"ui.beforeunload": "Mastodon'u terk ederseniz taslağınız kaybolacak.",
"units.short.billion": "{count}Mr",
diff --git a/app/javascript/mastodon/locales/tt.json b/app/javascript/mastodon/locales/tt.json
index f3af006f2..dd2b66b80 100644
--- a/app/javascript/mastodon/locales/tt.json
+++ b/app/javascript/mastodon/locales/tt.json
@@ -24,6 +24,7 @@
"account.follows_you": "Сезгә язылган",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "{date} көнендә теркәлде",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "Ownership of this link was checked on {date}",
"account.locked_info": "Бу - ябык аккаунт. Аны язылучылар гына күрә ала.",
"account.media": "Медиа",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ой!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "@{name} блоклау",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Күбрәк күрсәтү",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/ug.json b/app/javascript/mastodon/locales/ug.json
index 75656983b..85081d523 100644
--- a/app/javascript/mastodon/locales/ug.json
+++ b/app/javascript/mastodon/locales/ug.json
@@ -24,6 +24,7 @@
"account.follows_you": "Follows you",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} per week",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/uk.json b/app/javascript/mastodon/locales/uk.json
index 7727616cb..e40b7b129 100644
--- a/app/javascript/mastodon/locales/uk.json
+++ b/app/javascript/mastodon/locales/uk.json
@@ -24,6 +24,7 @@
"account.follows_you": "Підписані на вас",
"account.hide_reblogs": "Сховати поширення від @{name}",
"account.joined": "Долучилися {date}",
+ "account.languages": "Змінити підписані мови",
"account.link_verified_on": "Права власності на це посилання були перевірені {date}",
"account.locked_info": "Це закритий обліковий запис. Власник вручну обирає, хто може на нього підписуватися.",
"account.media": "Медіа",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ой!",
"announcement.announcement": "Оголошення",
"attachments_list.unprocessed": "(не оброблено)",
+ "audio.hide": "Сховати аудіо",
"autosuggest_hashtag.per_week": "{count} в тиждень",
"boost_modal.combo": "Ви можете натиснути {combo}, щоб пропустити це наступного разу",
"bundle_column_error.body": "Щось пішло не так під час завантаження цього компоненту.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Новини",
"explore.trending_statuses": "Дописи",
"explore.trending_tags": "Хештеґи",
+ "filter_modal.added.context_mismatch_explanation": "Ця категорія фільтра не застосовується до контексту, в якому ви отримали доступ до цього допису. Якщо ви хочете, щоб дописи також фільтрувалися за цим контекстом, вам доведеться редагувати фільтр.",
+ "filter_modal.added.context_mismatch_title": "Невідповідність контексту!",
+ "filter_modal.added.expired_explanation": "Категорія цього фільтра застаріла, Вам потрібно змінити дату закінчення терміну дії, щоб застосувати її.",
+ "filter_modal.added.expired_title": "Застарілий фільтр!",
+ "filter_modal.added.review_and_configure": "Щоб розглянути та далі налаштувати цю категорію фільтрів, перейдіть на {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Налаштування фільтра",
+ "filter_modal.added.settings_link": "сторінка налаштувань",
+ "filter_modal.added.short_explanation": "Цей допис було додано до такої категорії фільтра: {title}.",
+ "filter_modal.added.title": "Фільтр додано!",
+ "filter_modal.select_filter.context_mismatch": "не застосовується до цього контексту",
+ "filter_modal.select_filter.expired": "застарілий",
+ "filter_modal.select_filter.prompt_new": "Нова категорія: {name}",
+ "filter_modal.select_filter.search": "Пошук або створення",
+ "filter_modal.select_filter.subtitle": "Використати наявну категорію або створити нову",
+ "filter_modal.select_filter.title": "Фільтрувати цей допис",
+ "filter_modal.title.status": "Фільтрувати допис",
"follow_recommendations.done": "Готово",
"follow_recommendations.heading": "Підпишіться на людей, чиї дописи ви хочете бачити! Ось деякі пропозиції.",
"follow_recommendations.lead": "Дописи від людей, за якими ви стежите, з'являться в хронологічному порядку у вашій домашній стрічці. Не бійся помилятися, ви можете відписатися від людей так само легко в будь-який час!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Розпочати",
"getting_started.invite": "Запросити людей",
"getting_started.open_source_notice": "Mastodon — програма з відкритим сирцевим кодом. Ви можете допомогти проекту, або повідомити про проблеми на the computer lab за адресою {github}.",
+ "getting_started.privacy_policy": "Політика конфіденційності",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Який-небудь зі списку",
"hashtag.column_settings.tag_mode.none": "Жоден зі списку",
"hashtag.column_settings.tag_toggle": "Додати додаткові теґи до цього стовпчика",
+ "hashtag.follow": "Стежити за хештегом",
+ "hashtag.unfollow": "Не стежити за хештегом",
"home.column_settings.basic": "Основні",
"home.column_settings.show_reblogs": "Показувати поширення",
"home.column_settings.show_replies": "Показувати відповіді",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Нічого не вдалося знайти за цими пошуковими термінами",
"search_results.statuses": "Дмухів",
"search_results.statuses_fts_disabled": "Пошук дописів за вмістом недоступний на даному сервері Mastodon.",
+ "search_results.title": "Шукати {q}",
"search_results.total": "{count, number} {count, plural, one {результат} few {результати} many {результатів} other {результатів}}",
+ "sign_in_banner.create_account": "Створити обліковий запис",
+ "sign_in_banner.sign_in": "Увійти",
+ "sign_in_banner.text": "Увійдіть, щоб слідкувати за профілями або хештеґами, вподобаними, ділитися і відповідати на повідомлення або взаємодіяти з вашого облікового запису на іншому сервері.",
"status.admin_account": "Відкрити інтерфейс модерації для @{name}",
"status.admin_status": "Відкрити цей статус в інтерфейсі модерації",
"status.block": "Заблокувати @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Відредаговано {count, plural, one {{count} раз} few {{count} рази} many {{counter} разів} other {{counter} разів}}",
"status.embed": "Вбудувати",
"status.favourite": "Подобається",
+ "status.filter": "Фільтрувати цей допис",
"status.filtered": "Відфільтровано",
"status.hide": "Сховати дмух",
"status.history.created": "{name} створює {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Показувати менше для всіх",
"status.show_more": "Розгорнути",
"status.show_more_all": "Показувати більше для всіх",
+ "status.show_original": "Показати оригінал",
"status.show_thread": "Показати ланцюжок",
+ "status.translate": "Перекласти",
+ "status.translated_from": "Перекладено з {lang}",
"status.uncached_media_warning": "Недоступно",
"status.unmute_conversation": "Не ігнорувати діалог",
"status.unpin": "Відкріпити від профілю",
+ "subscribed_languages.lead": "Лише дописи вибраними мовами з'являтимуться на вашій домівці та у списку стрічок після змін. Виберіть «none», щоб отримувати повідомлення всіма мовами.",
+ "subscribed_languages.save": "Зберегти зміни",
+ "subscribed_languages.target": "Змінити підписані мови для {target}",
"suggestions.dismiss": "Відхилити пропозицію",
"suggestions.header": "Вас може зацікавити…",
"tabs_bar.federated_timeline": "Глобальна",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Підписники",
"timeline_hint.resources.follows": "Підписки",
"timeline_hint.resources.statuses": "Попередні дописи",
- "trends.counter_by_accounts": "{count, plural, one {{counter} особа обговорює} few {{counter} особи обговорюють} many {{counter} осіб обговорюють} other {{counter} особи обговорюють}}",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} особа} few {{counter} особи} other {{counter} осіб}} за останні(й) {days, plural, one {день} few {{days} дні} other {{days} днів}}",
"trends.trending_now": "Актуальні",
"ui.beforeunload": "Вашу чернетку буде втрачено, якщо ви покинете Mastodon.",
"units.short.billion": "{count} млрд.",
diff --git a/app/javascript/mastodon/locales/ur.json b/app/javascript/mastodon/locales/ur.json
index 9485dbabf..36dc6563b 100644
--- a/app/javascript/mastodon/locales/ur.json
+++ b/app/javascript/mastodon/locales/ur.json
@@ -24,6 +24,7 @@
"account.follows_you": "آپ کا پیروکار ہے",
"account.hide_reblogs": "@{name} سے فروغ چھپائیں",
"account.joined": "{date} شامل ہوئے",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "اس لنک کی ملکیت کی توثیق {date} پر کی گئی تھی",
"account.locked_info": "اس اکاونٹ کا اخفائی ضابطہ مقفل ہے۔ صارف کی پیروی کون کر سکتا ہے اس کا جائزہ وہ خود لیتا ہے.",
"account.media": "وسائل",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "ا رے!",
"announcement.announcement": "اعلان",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} فی ہفتہ",
"boost_modal.combo": "آئیندہ یہ نہ دیکھنے کیلئے آپ {combo} دبا سکتے ہیں",
"bundle_column_error.body": "اس عنصر کو برآمد کرتے وقت کچھ خرابی پیش آئی ہے.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"getting_started.heading": "آغاز کریں",
"getting_started.invite": "دوستوں کو دعوت دیں",
"getting_started.open_source_notice": "ماسٹوڈون آزاد منبع سوفٹویر ہے. آپ {github} گِٹ ہب پر مسائل میں معاونت یا مشکلات کی اطلاع دے سکتے ہیں.",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "ان میں سے کوئی",
"hashtag.column_settings.tag_mode.none": "ان میں سے کوئی بھی نہیں",
"hashtag.column_settings.tag_toggle": "اس کالم کے لئے مزید ٹیگز شامل کریں",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "بنیادی",
"home.column_settings.show_reblogs": "افزائشات دکھائیں",
"home.column_settings.show_replies": "جوابات دکھائیں",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "Block @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Followers",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/vi.json b/app/javascript/mastodon/locales/vi.json
index ec7164727..708313252 100644
--- a/app/javascript/mastodon/locales/vi.json
+++ b/app/javascript/mastodon/locales/vi.json
@@ -24,6 +24,7 @@
"account.follows_you": "Đang theo dõi bạn",
"account.hide_reblogs": "Ẩn tút @{name} đăng lại",
"account.joined": "Đã tham gia {date}",
+ "account.languages": "Đổi ngôn ngữ mong muốn",
"account.link_verified_on": "Liên kết này đã được xác minh vào {date}",
"account.locked_info": "Đây là tài khoản riêng tư. Họ sẽ tự mình xét duyệt các yêu cầu theo dõi.",
"account.media": "Media",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Ốiii!",
"announcement.announcement": "Có gì mới?",
"attachments_list.unprocessed": "(chưa xử lí)",
+ "audio.hide": "Ẩn âm thanh",
"autosuggest_hashtag.per_week": "{count} mỗi tuần",
"boost_modal.combo": "Nhấn {combo} để bỏ qua bước này",
"bundle_column_error.body": "Đã có lỗi xảy ra trong khi tải nội dung này.",
@@ -196,6 +198,22 @@
"explore.trending_links": "Tin tức",
"explore.trending_statuses": "Tút",
"explore.trending_tags": "Hashtag",
+ "filter_modal.added.context_mismatch_explanation": "Danh mục bộ lọc này không áp dụng cho ngữ cảnh mà bạn đã truy cập tút này. Nếu bạn muốn tút cũng được lọc trong ngữ cảnh này, bạn sẽ phải chỉnh sửa bộ lọc.",
+ "filter_modal.added.context_mismatch_title": "Bối cảnh không phù hợp!",
+ "filter_modal.added.expired_explanation": "Danh mục bộ lọc này đã hết hạn, bạn sẽ cần thay đổi ngày hết hạn để áp dụng.",
+ "filter_modal.added.expired_title": "Bộ lọc đã hết hạn!",
+ "filter_modal.added.review_and_configure": "Để xem lại và định cấu hình thêm danh mục bộ lọc này, hãy xem {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Thiết lập bộ lọc",
+ "filter_modal.added.settings_link": "trang cài đặt",
+ "filter_modal.added.short_explanation": "Tút này đã được thêm vào danh mục bộ lọc sau: {title}.",
+ "filter_modal.added.title": "Đã thêm bộ lọc!",
+ "filter_modal.select_filter.context_mismatch": "không áp dụng cho bối cảnh này",
+ "filter_modal.select_filter.expired": "hết hạn",
+ "filter_modal.select_filter.prompt_new": "Danh mục mới: {name}",
+ "filter_modal.select_filter.search": "Tìm kiếm hoặc tạo mới",
+ "filter_modal.select_filter.subtitle": "Sử dụng một danh mục hiện có hoặc tạo một danh mục mới",
+ "filter_modal.select_filter.title": "Lọc tút này",
+ "filter_modal.title.status": "Lọc một tút",
"follow_recommendations.done": "Xong",
"follow_recommendations.heading": "Theo dõi những người bạn muốn đọc tút của họ! Dưới đây là vài gợi ý.",
"follow_recommendations.lead": "Tút từ những người bạn theo dõi sẽ hiện theo thứ tự thời gian trên bảng tin. Đừng ngại, bạn có thể dễ dàng ngưng theo dõi họ bất cứ lúc nào!",
@@ -209,8 +227,8 @@
"getting_started.heading": "Quản lý",
"getting_started.invite": "Mời bạn bè",
"getting_started.open_source_notice": "Mastodon là phần mềm mã nguồn mở. Bạn có thể đóng góp hoặc báo lỗi trên the computer lab tại {github}.",
+ "getting_started.privacy_policy": "Chính sách bảo mật",
"getting_started.security": "Bảo mật",
- "getting_started.terms": "Điều khoản dịch vụ",
"hashtag.column_header.tag_mode.all": "và {additional}",
"hashtag.column_header.tag_mode.any": "hoặc {additional}",
"hashtag.column_header.tag_mode.none": "mà không {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "Một phần",
"hashtag.column_settings.tag_mode.none": "Không chọn",
"hashtag.column_settings.tag_toggle": "Bao gồm thêm hashtag cho cột này",
+ "hashtag.follow": "Theo dõi hashtag",
+ "hashtag.unfollow": "Ngưng theo dõi hashtag",
"home.column_settings.basic": "Tùy chỉnh",
"home.column_settings.show_reblogs": "Hiện những lượt đăng lại",
"home.column_settings.show_replies": "Hiện những tút dạng trả lời",
@@ -402,7 +422,7 @@
"report.categories.spam": "Spam",
"report.categories.violation": "Vi phạm quy tắc máy chủ",
"report.category.subtitle": "Chọn mục gần khớp nhất",
- "report.category.title": "Nói với họ chuyện gì xảy ra với {type}",
+ "report.category.title": "Có vấn đề gì với {type}",
"report.category.title_account": "người dùng",
"report.category.title_status": "tút",
"report.close": "Xong",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Không tìm thấy kết quả trùng khớp",
"search_results.statuses": "Tút",
"search_results.statuses_fts_disabled": "Máy chủ của bạn không bật tính năng tìm kiếm tút.",
+ "search_results.title": "Tìm kiếm {q}",
"search_results.total": "{count, number} {count, plural, one {kết quả} other {kết quả}}",
+ "sign_in_banner.create_account": "Tạo tài khoản",
+ "sign_in_banner.sign_in": "Đăng nhập",
+ "sign_in_banner.text": "Đăng nhập để theo dõi hồ sơ hoặc hashtag; thích, chia sẻ và trả lời tút hoặc tương tác bằng tài khoản của bạn trên một máy chủ khác.",
"status.admin_account": "Mở giao diện quản trị @{name}",
"status.admin_status": "Mở tút này trong giao diện quản trị",
"status.block": "Chặn @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Đã sửa {count, plural, other {{count} lần}}",
"status.embed": "Nhúng",
"status.favourite": "Thích",
+ "status.filter": "Lọc tút này",
"status.filtered": "Bộ lọc",
"status.hide": "Ẩn tút",
"status.history.created": "{name} tạo lúc {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "Thu gọn toàn bộ",
"status.show_more": "Xem thêm",
"status.show_more_all": "Hiển thị tất cả",
+ "status.show_original": "Bản gốc",
"status.show_thread": "Xem chuỗi tút này",
+ "status.translate": "Dịch",
+ "status.translated_from": "Dịch từ {lang}",
"status.uncached_media_warning": "Uncached",
"status.unmute_conversation": "Quan tâm",
"status.unpin": "Bỏ ghim trên hồ sơ",
+ "subscribed_languages.lead": "Chỉ các tút đăng bằng các ngôn ngữ đã chọn mới được xuất hiện trên bảng tin của bạn. Không chọn gì cả để đọc tút đăng bằng mọi ngôn ngữ.",
+ "subscribed_languages.save": "Lưu thay đổi",
+ "subscribed_languages.target": "Đổi ngôn ngữ mong muốn cho {target}",
"suggestions.dismiss": "Tắt đề xuất",
"suggestions.header": "Có thể bạn quan tâm…",
"tabs_bar.federated_timeline": "Thế giới",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "Người theo dõi",
"timeline_hint.resources.follows": "Đang theo dõi",
"timeline_hint.resources.statuses": "Tút cũ hơn",
- "trends.counter_by_accounts": "{count, plural, one {{counter} người} other {{counter} người}} đang thảo luận",
+ "trends.counter_by_accounts": "{count, plural, other {{count} lượt}} dùng trong {days, plural, other {{days} ngày}} qua",
"trends.trending_now": "Xu hướng",
"ui.beforeunload": "Bản nháp của bạn sẽ bị mất nếu bạn thoát khỏi Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/zgh.json b/app/javascript/mastodon/locales/zgh.json
index f42df0112..767b3405b 100644
--- a/app/javascript/mastodon/locales/zgh.json
+++ b/app/javascript/mastodon/locales/zgh.json
@@ -24,6 +24,7 @@
"account.follows_you": "ⴹⴼⵕⵏ ⴽⵯⵏ",
"account.hide_reblogs": "Hide boosts from @{name}",
"account.joined": "Joined {date}",
+ "account.languages": "Change subscribed languages",
"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": "ⴰⵙⵏⵖⵎⵉⵙ",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "Oops!",
"announcement.announcement": "Announcement",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} ⵙ ⵉⵎⴰⵍⴰⵙⵙ",
"boost_modal.combo": "You can press {combo} to skip this next time",
"bundle_column_error.body": "Something went wrong while loading this component.",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
@@ -209,8 +227,8 @@
"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 the computer lab at {github}.",
+ "getting_started.privacy_policy": "Privacy Policy",
"getting_started.security": "ⵜⵉⵙⵖⴰⵍ ⵏ ⵓⵎⵉⴹⴰⵏ",
- "getting_started.terms": "Terms of service",
"hashtag.column_header.tag_mode.all": "ⴷ {additional}",
"hashtag.column_header.tag_mode.any": "ⵏⵖ {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}",
@@ -220,6 +238,8 @@
"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",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "Basic",
"home.column_settings.show_reblogs": "Show boosts",
"home.column_settings.show_replies": "Show replies",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "Toots",
"search_results.statuses_fts_disabled": "Searching toots by their content is not enabled on this Mastodon server.",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this status in the moderation interface",
"status.block": "ⴳⴷⵍ @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "Embed",
"status.favourite": "Favourite",
+ "status.filter": "Filter this post",
"status.filtered": "Filtered",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "ⵙⵎⴰⵍ ⴷⵔⵓⵙ ⵉ ⵎⴰⵕⵕⴰ",
"status.show_more": "ⵙⵎⴰⵍ ⵓⴳⴳⴰⵔ",
"status.show_more_all": "ⵙⵎⴰⵍ ⵓⴳⴳⴰⵔ ⵉ ⵎⴰⵕⵕⴰ",
+ "status.show_original": "Show original",
"status.show_thread": "Show thread",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "Not available",
"status.unmute_conversation": "Unmute conversation",
"status.unpin": "Unpin from profile",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "Dismiss suggestion",
"suggestions.header": "You might be interested in…",
"tabs_bar.federated_timeline": "Federated",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "ⵉⵎⴹⴼⴰⵕⵏ",
"timeline_hint.resources.follows": "Follows",
"timeline_hint.resources.statuses": "Older toots",
- "trends.counter_by_accounts": "{count, plural, one {{counter} ⵓⴼⴳⴰⵏ} other {{counter} ⵉⴼⴳⴰⵏⵏ}} ⴰⴳ ⵙⵙⴰⵡⴰⵍⵏ",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "Trending now",
"ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/zh-CN.json b/app/javascript/mastodon/locales/zh-CN.json
index 4d1f2da86..82d012407 100644
--- a/app/javascript/mastodon/locales/zh-CN.json
+++ b/app/javascript/mastodon/locales/zh-CN.json
@@ -24,6 +24,7 @@
"account.follows_you": "关注了你",
"account.hide_reblogs": "隐藏来自 @{name} 的转贴",
"account.joined": "加入于 {date}",
+ "account.languages": "更改订阅语言",
"account.link_verified_on": "此链接的所有权已在 {date} 检查",
"account.locked_info": "此账户已锁嘟。账户所有者会手动审核关注者。",
"account.media": "媒体",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "哎呀!",
"announcement.announcement": "公告",
"attachments_list.unprocessed": "(未处理)",
+ "audio.hide": "隐藏音频",
"autosuggest_hashtag.per_week": "每星期 {count} 条",
"boost_modal.combo": "下次按住 {combo} 即可跳过此提示",
"bundle_column_error.body": "载入这个组件时发生了错误。",
@@ -109,8 +111,8 @@
"compose_form.publish": "发布",
"compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "保存更改",
- "compose_form.sensitive.hide": "{count, plural, one {将媒体标记为敏感内容} other {将媒体标记为敏感内容}}",
- "compose_form.sensitive.marked": "{count, plural, one {媒体已被标记为敏感内容} other {媒体已被标记为敏感内容}}",
+ "compose_form.sensitive.hide": "标记媒体为敏感内容",
+ "compose_form.sensitive.marked": "媒体已被标记为敏感内容",
"compose_form.sensitive.unmarked": "媒体未被标记为敏感内容",
"compose_form.spoiler.marked": "移除内容警告",
"compose_form.spoiler.unmarked": "添加内容警告",
@@ -196,6 +198,22 @@
"explore.trending_links": "最新消息",
"explore.trending_statuses": "嘟文",
"explore.trending_tags": "话题标签",
+ "filter_modal.added.context_mismatch_explanation": "此过滤器分类不适用访问过嘟文的环境中。如果你想要在环境中过滤嘟文,你必须编辑此过滤器。",
+ "filter_modal.added.context_mismatch_title": "环境不匹配!",
+ "filter_modal.added.expired_explanation": "此过滤器分类已过期,你需要修改到期日期才能应用。",
+ "filter_modal.added.expired_title": "过滤器已过期!",
+ "filter_modal.added.review_and_configure": "要审核并进一步配置此过滤器分类,请前往{settings_link}。",
+ "filter_modal.added.review_and_configure_title": "过滤器设置",
+ "filter_modal.added.settings_link": "设置页面",
+ "filter_modal.added.short_explanation": "此嘟文已添加到以下过滤器分类:{title}。",
+ "filter_modal.added.title": "过滤器已添加 !",
+ "filter_modal.select_filter.context_mismatch": "不适用于此环境",
+ "filter_modal.select_filter.expired": "已过期",
+ "filter_modal.select_filter.prompt_new": "新分类:{name}",
+ "filter_modal.select_filter.search": "搜索或创建",
+ "filter_modal.select_filter.subtitle": "使用一个已存在分类,或创建一个新分类",
+ "filter_modal.select_filter.title": "过滤此嘟文",
+ "filter_modal.title.status": "过滤一条嘟文",
"follow_recommendations.done": "完成",
"follow_recommendations.heading": "关注你感兴趣的用户!这里有一些推荐。",
"follow_recommendations.lead": "你关注的人的嘟文将按时间顺序在你的主页上显示。 别担心,你可以随时取消关注!",
@@ -203,14 +221,14 @@
"follow_request.reject": "拒绝",
"follow_requests.unlocked_explanation": "尽管你没有锁嘟,但是 {domain} 的工作人员认为你也许会想手动审核审核这些账号的关注请求。",
"generic.saved": "已保存",
- "getting_started.developers": "开发",
- "getting_started.directory": "用户目录",
+ "getting_started.developers": "开发者",
+ "getting_started.directory": "个人资料目录",
"getting_started.documentation": "文档",
"getting_started.heading": "开始使用",
"getting_started.invite": "邀请用户",
"getting_started.open_source_notice": "Mastodon 是开源软件。欢迎前往 the computer lab({github})贡献代码或反馈问题。",
- "getting_started.security": "帐户安全",
- "getting_started.terms": "使用条款",
+ "getting_started.privacy_policy": "隐私政策",
+ "getting_started.security": "账号设置",
"hashtag.column_header.tag_mode.all": "以及 {additional}",
"hashtag.column_header.tag_mode.any": "或是 {additional}",
"hashtag.column_header.tag_mode.none": "而不用 {additional}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "任一",
"hashtag.column_settings.tag_mode.none": "无一",
"hashtag.column_settings.tag_toggle": "在此栏加入额外的标签",
+ "hashtag.follow": "关注哈希标签",
+ "hashtag.unfollow": "取消关注哈希标签",
"home.column_settings.basic": "基本设置",
"home.column_settings.show_reblogs": "显示转嘟",
"home.column_settings.show_replies": "显示回复",
@@ -278,7 +298,7 @@
"lists.new.title_placeholder": "新列表的标题",
"lists.replies_policy.followed": "任何被关注的用户",
"lists.replies_policy.list": "列表成员",
- "lists.replies_policy.none": "没有人",
+ "lists.replies_policy.none": "无人",
"lists.replies_policy.title": "显示回复给:",
"lists.search": "搜索你关注的人",
"lists.subheading": "你的列表",
@@ -433,7 +453,7 @@
"report.thanks.title_actionable": "感谢提交举报,我们将会进行处理。",
"report.unfollow": "取消关注 @{name}",
"report.unfollow_explanation": "你正在关注此账户。如果要想在你的主页上不再看到他们的帖子,取消对他们的关注即可。",
- "report_notification.attached_statuses": "{count, plural, one {{count} 嘟文} other {{count} 嘟文}} 附件",
+ "report_notification.attached_statuses": "附上 {count} 条嘟文",
"report_notification.categories.other": "其他",
"report_notification.categories.spam": "骚扰",
"report_notification.categories.violation": "违反规则",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "无法找到符合这些搜索词的任何内容",
"search_results.statuses": "嘟文",
"search_results.statuses_fts_disabled": "此 Mastodon 服务器未启用帖子内容搜索。",
+ "search_results.title": "搜索 {q}",
"search_results.total": "共 {count, number} 个结果",
+ "sign_in_banner.create_account": "创建账户",
+ "sign_in_banner.sign_in": "登录",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "打开 @{name} 的管理界面",
"status.admin_status": "打开此帖的管理界面",
"status.block": "屏蔽 @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "共编辑 {count, plural, one {{count} 次} other {{count} 次}}",
"status.embed": "嵌入",
"status.favourite": "喜欢",
+ "status.filter": "过滤此嘟文",
"status.filtered": "已过滤",
"status.hide": "屏蔽嘟文",
"status.history.created": "{name} 创建于 {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "隐藏全部内容",
"status.show_more": "显示更多",
"status.show_more_all": "显示全部内容",
+ "status.show_original": "显示原文",
"status.show_thread": "显示全部对话",
+ "status.translate": "翻译",
+ "status.translated_from": "翻译自 {lang}",
"status.uncached_media_warning": "暂不可用",
"status.unmute_conversation": "恢复此对话的通知提醒",
"status.unpin": "在个人资料页面取消置顶",
+ "subscribed_languages.lead": "更改此选择后,仅选定语言的嘟文会出现在您的主页和列表时间轴上。选择「无」将接收所有语言的嘟文。",
+ "subscribed_languages.save": "保存更改",
+ "subscribed_languages.target": "为 {target} 更改订阅语言",
"suggestions.dismiss": "关闭建议",
"suggestions.header": "你可能会感兴趣…",
"tabs_bar.federated_timeline": "跨站",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "关注者",
"timeline_hint.resources.follows": "关注",
"timeline_hint.resources.statuses": "更早的嘟文",
- "trends.counter_by_accounts": "{count, plural, one {{counter} 人} other {{counter} 人}}正在讨论",
+ "trends.counter_by_accounts": "过去 {day} 天有 {counter} 人讨论",
"trends.trending_now": "现在流行",
"ui.beforeunload": "如果你现在离开 Mastodon,你的草稿内容将会丢失。",
"units.short.billion": "{count} B",
diff --git a/app/javascript/mastodon/locales/zh-HK.json b/app/javascript/mastodon/locales/zh-HK.json
index 1b0860408..ee24dfdaa 100644
--- a/app/javascript/mastodon/locales/zh-HK.json
+++ b/app/javascript/mastodon/locales/zh-HK.json
@@ -24,6 +24,7 @@
"account.follows_you": "關注你",
"account.hide_reblogs": "隱藏 @{name} 的轉推",
"account.joined": "於 {date} 加入",
+ "account.languages": "Change subscribed languages",
"account.link_verified_on": "此連結的所有權已在 {date} 檢查過",
"account.locked_info": "這位使用者將私隱設定為「不公開」,會手動審批誰能關注他/她。",
"account.media": "媒體",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "噢!",
"announcement.announcement": "公告",
"attachments_list.unprocessed": "(unprocessed)",
+ "audio.hide": "Hide audio",
"autosuggest_hashtag.per_week": "{count} / 週",
"boost_modal.combo": "如你想在下次路過這顯示,請按{combo},",
"bundle_column_error.body": "加載本組件出錯。",
@@ -196,6 +198,22 @@
"explore.trending_links": "News",
"explore.trending_statuses": "Posts",
"explore.trending_tags": "Hashtags",
+ "filter_modal.added.context_mismatch_explanation": "This filter category does not apply to the context in which you have accessed this post. If you want the post to be filtered in this context too, you will have to edit the filter.",
+ "filter_modal.added.context_mismatch_title": "Context mismatch!",
+ "filter_modal.added.expired_explanation": "This filter category has expired, you will need to change the expiration date for it to apply.",
+ "filter_modal.added.expired_title": "Expired filter!",
+ "filter_modal.added.review_and_configure": "To review and further configure this filter category, go to the {settings_link}.",
+ "filter_modal.added.review_and_configure_title": "Filter settings",
+ "filter_modal.added.settings_link": "settings page",
+ "filter_modal.added.short_explanation": "This post has been added to the following filter category: {title}.",
+ "filter_modal.added.title": "Filter added!",
+ "filter_modal.select_filter.context_mismatch": "does not apply to this context",
+ "filter_modal.select_filter.expired": "expired",
+ "filter_modal.select_filter.prompt_new": "New category: {name}",
+ "filter_modal.select_filter.search": "Search or create",
+ "filter_modal.select_filter.subtitle": "Use an existing category or create a new one",
+ "filter_modal.select_filter.title": "Filter this post",
+ "filter_modal.title.status": "Filter a post",
"follow_recommendations.done": "完成",
"follow_recommendations.heading": "跟隨人們以看到來自他們的嘟文!這裡有些建議。",
"follow_recommendations.lead": "您跟隨對象知嘟文將會以時間順序顯示於您的 home feed 上。別擔心犯下錯誤,您隨時可以取消跟隨人們!",
@@ -209,8 +227,8 @@
"getting_started.heading": "開始使用",
"getting_started.invite": "邀請使用者",
"getting_started.open_source_notice": "Mastodon(萬象)是一個開放源碼的軟件。你可以在官方 the computer lab {github} 貢獻或者回報問題。",
+ "getting_started.privacy_policy": "Privacy Policy",
"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}",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "任一",
"hashtag.column_settings.tag_mode.none": "全不",
"hashtag.column_settings.tag_toggle": "在這欄位加入額外的標籤",
+ "hashtag.follow": "Follow hashtag",
+ "hashtag.unfollow": "Unfollow hashtag",
"home.column_settings.basic": "基本",
"home.column_settings.show_reblogs": "顯示被轉推的文章",
"home.column_settings.show_replies": "顯示回應文章",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "Could not find anything for these search terms",
"search_results.statuses": "文章",
"search_results.statuses_fts_disabled": "此 Mastodon 伺服器並未啟用「搜尋文章內章」功能。",
+ "search_results.title": "Search for {q}",
"search_results.total": "{count, number} 項結果",
+ "sign_in_banner.create_account": "Create account",
+ "sign_in_banner.sign_in": "Sign in",
+ "sign_in_banner.text": "Sign in to follow profiles or hashtags, favourite, share and reply to posts, or interact from your account on a different server.",
"status.admin_account": "開啟 @{name} 的管理介面",
"status.admin_status": "在管理介面開啟這篇文章",
"status.block": "封鎖 @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
"status.embed": "嵌入",
"status.favourite": "最愛",
+ "status.filter": "Filter this post",
"status.filtered": "已過濾",
"status.hide": "Hide toot",
"status.history.created": "{name} created {date}",
@@ -497,10 +522,16 @@
"status.show_less_all": "全部收起",
"status.show_more": "展開",
"status.show_more_all": "全部展開",
+ "status.show_original": "Show original",
"status.show_thread": "顯示討論串",
+ "status.translate": "Translate",
+ "status.translated_from": "Translated from {lang}",
"status.uncached_media_warning": "無法使用",
"status.unmute_conversation": "對話解除靜音",
"status.unpin": "解除置頂",
+ "subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
+ "subscribed_languages.save": "Save changes",
+ "subscribed_languages.target": "Change subscribed languages for {target}",
"suggestions.dismiss": "關閉建議",
"suggestions.header": "你可能對這些感興趣…",
"tabs_bar.federated_timeline": "跨站",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "關注者",
"timeline_hint.resources.follows": "關注中",
"timeline_hint.resources.statuses": "更早的文章",
- "trends.counter_by_accounts": "{count, plural, one {{counter} 個人}other {{counter} 個人}}正在討論",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {{days} days}}",
"trends.trending_now": "現在流行",
"ui.beforeunload": "如果你現在離開 Mastodon,你的草稿內容將會被丟棄。",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/locales/zh-TW.json b/app/javascript/mastodon/locales/zh-TW.json
index ad007289e..a665d86c8 100644
--- a/app/javascript/mastodon/locales/zh-TW.json
+++ b/app/javascript/mastodon/locales/zh-TW.json
@@ -24,6 +24,7 @@
"account.follows_you": "跟隨了您",
"account.hide_reblogs": "隱藏來自 @{name} 的轉嘟",
"account.joined": "加入於 {date}",
+ "account.languages": "變更訂閱的語言",
"account.link_verified_on": "已在 {date} 檢查此連結的擁有者權限",
"account.locked_info": "此帳戶的隱私狀態被設為鎖定。該擁有者會手動審核能跟隨此帳號的人。",
"account.media": "媒體",
@@ -59,6 +60,7 @@
"alert.unexpected.title": "哎呀!",
"announcement.announcement": "公告",
"attachments_list.unprocessed": "(未經處理)",
+ "audio.hide": "隱藏音訊",
"autosuggest_hashtag.per_week": "{count} / 週",
"boost_modal.combo": "下次您可以按 {combo} 跳過",
"bundle_column_error.body": "載入此元件時發生錯誤。",
@@ -196,6 +198,22 @@
"explore.trending_links": "最新消息",
"explore.trending_statuses": "嘟文",
"explore.trending_tags": "主題標籤",
+ "filter_modal.added.context_mismatch_explanation": "此過濾器類別不是用您所存取嘟文的情境。若您想要此嘟文被於此情境被過濾,您必須編輯過濾器。",
+ "filter_modal.added.context_mismatch_title": "不符合情境!",
+ "filter_modal.added.expired_explanation": "此過濾器類別已失效,您需要更新過期日期以套用。",
+ "filter_modal.added.expired_title": "過期的過濾器!",
+ "filter_modal.added.review_and_configure": "若欲檢視和進一步設定此過濾器類別,請至 {settings_link}。",
+ "filter_modal.added.review_and_configure_title": "過濾器設定",
+ "filter_modal.added.settings_link": "設定頁面",
+ "filter_modal.added.short_explanation": "此嘟文已被新增至以下過濾器類別:{title}。",
+ "filter_modal.added.title": "已新增過濾器!",
+ "filter_modal.select_filter.context_mismatch": "不是用目前情境",
+ "filter_modal.select_filter.expired": "已過期",
+ "filter_modal.select_filter.prompt_new": "新類別:{name}",
+ "filter_modal.select_filter.search": "搜尋或新增",
+ "filter_modal.select_filter.subtitle": "使用既有的類別或是新增",
+ "filter_modal.select_filter.title": "過濾此嘟文",
+ "filter_modal.title.status": "過濾一則嘟文",
"follow_recommendations.done": "完成",
"follow_recommendations.heading": "跟隨您想檢視其嘟文的人!這裡有一些建議。",
"follow_recommendations.lead": "來自您跟隨的人之嘟文將會按時間順序顯示在您的首頁時間軸上。不要害怕犯錯,您隨時都可以取消跟隨其他人!",
@@ -209,9 +227,9 @@
"getting_started.heading": "開始使用",
"getting_started.invite": "邀請使用者",
"getting_started.open_source_notice": "Mastodon 是開源軟體。您可以在 the computer lab {github} 上貢獻或是回報問題。",
- "getting_started.security": "帳號安全性設定",
- "getting_started.terms": "服務條款",
+ "getting_started.privacy_policy": "隱私權政策",
"hashtag.column_header.tag_mode.all": "以及 {additional}",
+ "getting_started.security": "帳號安全性設定",
"hashtag.column_header.tag_mode.any": "或是 {additional}",
"hashtag.column_header.tag_mode.none": "而無需 {additional}",
"hashtag.column_settings.select.no_options_message": "找不到建議",
@@ -220,6 +238,8 @@
"hashtag.column_settings.tag_mode.any": "任一",
"hashtag.column_settings.tag_mode.none": "全不",
"hashtag.column_settings.tag_toggle": "將額外標籤加入到這個欄位",
+ "hashtag.follow": "追蹤主題標籤",
+ "hashtag.unfollow": "取消追蹤主題標籤",
"home.column_settings.basic": "基本",
"home.column_settings.show_reblogs": "顯示轉嘟",
"home.column_settings.show_replies": "顯示回覆",
@@ -451,7 +471,11 @@
"search_results.nothing_found": "無法找到符合搜尋條件之結果",
"search_results.statuses": "嘟文",
"search_results.statuses_fts_disabled": "「依內容搜尋嘟文」未在此 Mastodon 伺服器啟用。",
+ "search_results.title": "搜尋:{q}",
"search_results.total": "{count, number} 項結果",
+ "sign_in_banner.create_account": "新增帳號",
+ "sign_in_banner.sign_in": "登入",
+ "sign_in_banner.text": "登入以追蹤個人檔案、主題標籤、最愛,分享和回覆嘟文,或以您其他伺服器之帳號進行互動:",
"status.admin_account": "開啟 @{name} 的管理介面",
"status.admin_status": "在管理介面開啟此嘟文",
"status.block": "封鎖 @{name}",
@@ -467,6 +491,7 @@
"status.edited_x_times": "已編輯 {count, plural, one {{count} 次} other {{count} 次}}",
"status.embed": "內嵌",
"status.favourite": "最愛",
+ "status.filter": "過濾此嘟文",
"status.filtered": "已過濾",
"status.hide": "隱藏嘟文",
"status.history.created": "{name} 於 {date} 建立",
@@ -497,10 +522,16 @@
"status.show_less_all": "減少顯示這類嘟文",
"status.show_more": "顯示更多",
"status.show_more_all": "顯示更多這類嘟文",
+ "status.show_original": "顯示原文",
"status.show_thread": "顯示討論串",
+ "status.translate": "翻譯",
+ "status.translated_from": "翻譯自 {lang}",
"status.uncached_media_warning": "無法使用",
"status.unmute_conversation": "解除此對話的靜音",
"status.unpin": "從個人檔案頁面解除釘選",
+ "subscribed_languages.lead": "僅選定語言的嘟文才會出現在您的首頁上,並在變更後列出時間軸。選取「無」以接收所有語言的嘟文。",
+ "subscribed_languages.save": "儲存變更",
+ "subscribed_languages.target": "變更 {target} 的訂閱語言",
"suggestions.dismiss": "關閉建議",
"suggestions.header": "您可能對這些東西有興趣…",
"tabs_bar.federated_timeline": "聯邦宇宙",
@@ -517,7 +548,7 @@
"timeline_hint.resources.followers": "跟隨者",
"timeline_hint.resources.follows": "正在跟隨",
"timeline_hint.resources.statuses": "更早的嘟文",
- "trends.counter_by_accounts": "{count, plural,one {{counter} 人}other {{counter} 人}}正在討論",
+ "trends.counter_by_accounts": "{count, plural, one {{counter} 人} other {{counter} 人}} 於過去 {days, plural, one {日} other {{days} days}} 之間",
"trends.trending_now": "現正熱門",
"ui.beforeunload": "如果離開 Mastodon,您的草稿將會不見。",
"units.short.billion": "{count}B",
diff --git a/app/javascript/mastodon/main.js b/app/javascript/mastodon/main.js
index bda51f692..f33375b50 100644
--- a/app/javascript/mastodon/main.js
+++ b/app/javascript/mastodon/main.js
@@ -1,12 +1,14 @@
-import * as registerPushNotifications from './actions/push_notifications';
-import { setupBrowserNotifications } from './actions/notifications';
-import { default as Mastodon, store } from './containers/mastodon';
import React from 'react';
import ReactDOM from 'react-dom';
-import ready from './ready';
+import { setupBrowserNotifications } from 'mastodon/actions/notifications';
+import Mastodon, { store } from 'mastodon/containers/mastodon';
+import ready from 'mastodon/ready';
-const perf = require('./performance');
+const perf = require('mastodon/performance');
+/**
+ * @returns {Promise}
+ */
function main() {
perf.start('main()');
@@ -18,17 +20,36 @@ function main() {
}
}
- ready(() => {
+ return ready(async () => {
const mountNode = document.getElementById('mastodon');
const props = JSON.parse(mountNode.getAttribute('data-props'));
ReactDOM.render(, mountNode);
store.dispatch(setupBrowserNotifications());
- if (process.env.NODE_ENV === 'production') {
- // avoid offline in dev mode because it's harder to debug
- require('offline-plugin/runtime').install();
- store.dispatch(registerPushNotifications.register());
+
+ if (process.env.NODE_ENV === 'production' && 'serviceWorker' in navigator) {
+ const [{ Workbox }, { me }] = await Promise.all([
+ import('workbox-window'),
+ import('mastodon/initial_state'),
+ ]);
+
+ const wb = new Workbox('/sw.js');
+
+ try {
+ await wb.register();
+ } catch (err) {
+ console.error(err);
+
+ return;
+ }
+
+ if (me) {
+ const registerPushNotifications = await import('mastodon/actions/push_notifications');
+
+ store.dispatch(registerPushNotifications.register());
+ }
}
+
perf.stop('main()');
});
}
diff --git a/app/javascript/mastodon/ready.js b/app/javascript/mastodon/ready.js
index dd543910b..e769cc756 100644
--- a/app/javascript/mastodon/ready.js
+++ b/app/javascript/mastodon/ready.js
@@ -1,7 +1,32 @@
-export default function ready(loaded) {
- if (['interactive', 'complete'].includes(document.readyState)) {
- loaded();
- } else {
- document.addEventListener('DOMContentLoaded', loaded);
- }
+// @ts-check
+
+/**
+ * @param {(() => void) | (() => Promise)} callback
+ * @returns {Promise}
+ */
+export default function ready(callback) {
+ return new Promise((resolve, reject) => {
+ function loaded() {
+ let result;
+ try {
+ result = callback();
+ } catch (err) {
+ reject(err);
+
+ return;
+ }
+
+ if (typeof result?.then === 'function') {
+ result.then(resolve).catch(reject);
+ } else {
+ resolve();
+ }
+ }
+
+ if (['interactive', 'complete'].includes(document.readyState)) {
+ loaded();
+ } else {
+ document.addEventListener('DOMContentLoaded', loaded);
+ }
+ });
}
diff --git a/app/javascript/mastodon/reducers/filters.js b/app/javascript/mastodon/reducers/filters.js
index 14b704027..f4f97cd3a 100644
--- a/app/javascript/mastodon/reducers/filters.js
+++ b/app/javascript/mastodon/reducers/filters.js
@@ -1,4 +1,5 @@
import { FILTERS_IMPORT } from '../actions/importer';
+import { FILTERS_FETCH_SUCCESS, FILTERS_CREATE_SUCCESS } from '../actions/filters';
import { Map as ImmutableMap, is, fromJS } from 'immutable';
const normalizeFilter = (state, filter) => {
@@ -7,13 +8,17 @@ const normalizeFilter = (state, filter) => {
title: filter.title,
context: filter.context,
filter_action: filter.filter_action,
+ keywords: filter.keywords,
expires_at: filter.expires_at ? Date.parse(filter.expires_at) : null,
});
if (is(state.get(filter.id), normalizedFilter)) {
return state;
} else {
- return state.set(filter.id, normalizedFilter);
+ // Do not overwrite keywords when receiving a partial filter
+ return state.update(filter.id, ImmutableMap(), (old) => (
+ old.mergeWith(((old_value, new_value) => (new_value === undefined ? old_value : new_value)), normalizedFilter)
+ ));
}
};
@@ -27,6 +32,10 @@ const normalizeFilters = (state, filters) => {
export default function filters(state = ImmutableMap(), action) {
switch(action.type) {
+ case FILTERS_CREATE_SUCCESS:
+ return normalizeFilter(state, action.filter);
+ case FILTERS_FETCH_SUCCESS:
+ return normalizeFilters(ImmutableMap(), action.filters);
case FILTERS_IMPORT:
return normalizeFilters(state, action.filters);
default:
diff --git a/app/javascript/mastodon/reducers/index.js b/app/javascript/mastodon/reducers/index.js
index 0219d8a5e..bccdc1865 100644
--- a/app/javascript/mastodon/reducers/index.js
+++ b/app/javascript/mastodon/reducers/index.js
@@ -17,7 +17,7 @@ import status_lists from './status_lists';
import mutes from './mutes';
import blocks from './blocks';
import boosts from './boosts';
-import rules from './rules';
+import server from './server';
import contexts from './contexts';
import compose from './compose';
import search from './search';
@@ -39,6 +39,7 @@ import markers from './markers';
import picture_in_picture from './picture_in_picture';
import accounts_map from './accounts_map';
import history from './history';
+import tags from './tags';
const reducers = {
announcements,
@@ -61,7 +62,7 @@ const reducers = {
mutes,
blocks,
boosts,
- rules,
+ server,
contexts,
compose,
search,
@@ -81,6 +82,7 @@ const reducers = {
markers,
picture_in_picture,
history,
+ tags,
};
export default combineReducers(reducers);
diff --git a/app/javascript/mastodon/reducers/notifications.js b/app/javascript/mastodon/reducers/notifications.js
index 4b460bc10..eb34edb63 100644
--- a/app/javascript/mastodon/reducers/notifications.js
+++ b/app/javascript/mastodon/reducers/notifications.js
@@ -41,7 +41,7 @@ const initialState = ImmutableMap({
lastReadId: '0',
readMarkerId: '0',
isTabVisible: true,
- isLoading: false,
+ isLoading: 0,
browserSupport: false,
browserPermission: 'default',
});
@@ -115,7 +115,7 @@ const expandNormalizedNotifications = (state, notifications, next, isLoadingRece
}
}
- mutable.set('isLoading', false);
+ mutable.update('isLoading', (nbLoading) => nbLoading - 1);
});
};
@@ -214,9 +214,9 @@ export default function notifications(state = initialState, action) {
case NOTIFICATIONS_LOAD_PENDING:
return state.update('items', list => state.get('pendingItems').concat(list.take(40))).set('pendingItems', ImmutableList()).set('unread', 0);
case NOTIFICATIONS_EXPAND_REQUEST:
- return state.set('isLoading', true);
+ return state.update('isLoading', (nbLoading) => nbLoading + 1);
case NOTIFICATIONS_EXPAND_FAIL:
- return state.set('isLoading', false);
+ return state.update('isLoading', (nbLoading) => nbLoading - 1);
case NOTIFICATIONS_FILTER_SET:
return state.set('items', ImmutableList()).set('pendingItems', ImmutableList()).set('hasMore', true);
case NOTIFICATIONS_SCROLL_TOP:
@@ -234,8 +234,6 @@ export default function notifications(state = initialState, action) {
case FOLLOW_REQUEST_AUTHORIZE_SUCCESS:
case FOLLOW_REQUEST_REJECT_SUCCESS:
return filterNotifications(state, [action.id], 'follow_request');
- case ACCOUNT_MUTE_SUCCESS:
- return action.relationship.muting_notifications ? filterNotifications(state, [action.relationship.id]) : state;
case NOTIFICATIONS_CLEAR:
return state.set('items', ImmutableList()).set('pendingItems', ImmutableList()).set('hasMore', false);
case TIMELINE_DELETE:
diff --git a/app/javascript/mastodon/reducers/rules.js b/app/javascript/mastodon/reducers/rules.js
deleted file mode 100644
index c1180b520..000000000
--- a/app/javascript/mastodon/reducers/rules.js
+++ /dev/null
@@ -1,13 +0,0 @@
-import { RULES_FETCH_SUCCESS } from 'mastodon/actions/rules';
-import { List as ImmutableList, fromJS } from 'immutable';
-
-const initialState = ImmutableList();
-
-export default function rules(state = initialState, action) {
- switch (action.type) {
- case RULES_FETCH_SUCCESS:
- return fromJS(action.rules);
- default:
- return state;
- }
-}
diff --git a/app/javascript/mastodon/reducers/server.js b/app/javascript/mastodon/reducers/server.js
new file mode 100644
index 000000000..68131c6dd
--- /dev/null
+++ b/app/javascript/mastodon/reducers/server.js
@@ -0,0 +1,19 @@
+import { SERVER_FETCH_REQUEST, SERVER_FETCH_SUCCESS, SERVER_FETCH_FAIL } from 'mastodon/actions/server';
+import { Map as ImmutableMap, fromJS } from 'immutable';
+
+const initialState = ImmutableMap({
+ isLoading: true,
+});
+
+export default function server(state = initialState, action) {
+ switch (action.type) {
+ case SERVER_FETCH_REQUEST:
+ return state.set('isLoading', true);
+ case SERVER_FETCH_SUCCESS:
+ return fromJS(action.server).set('isLoading', false);
+ case SERVER_FETCH_FAIL:
+ return state.set('isLoading', false);
+ default:
+ return state;
+ }
+}
diff --git a/app/javascript/mastodon/reducers/statuses.js b/app/javascript/mastodon/reducers/statuses.js
index 53dec9585..7efb49d85 100644
--- a/app/javascript/mastodon/reducers/statuses.js
+++ b/app/javascript/mastodon/reducers/statuses.js
@@ -13,6 +13,8 @@ import {
STATUS_REVEAL,
STATUS_HIDE,
STATUS_COLLAPSE,
+ STATUS_TRANSLATE_SUCCESS,
+ STATUS_TRANSLATE_UNDO,
} from '../actions/statuses';
import { TIMELINE_DELETE } from '../actions/timelines';
import { STATUS_IMPORT, STATUSES_IMPORT } from '../actions/importer';
@@ -77,6 +79,10 @@ export default function statuses(state = initialState, action) {
return state.setIn([action.id, 'collapsed'], action.isCollapsed);
case TIMELINE_DELETE:
return deleteStatus(state, action.id, action.references);
+ case STATUS_TRANSLATE_SUCCESS:
+ return state.setIn([action.id, 'translation'], fromJS(action.translation));
+ case STATUS_TRANSLATE_UNDO:
+ return state.deleteIn([action.id, 'translation']);
default:
return state;
}
diff --git a/app/javascript/mastodon/reducers/tags.js b/app/javascript/mastodon/reducers/tags.js
new file mode 100644
index 000000000..d24098e39
--- /dev/null
+++ b/app/javascript/mastodon/reducers/tags.js
@@ -0,0 +1,25 @@
+import {
+ HASHTAG_FETCH_SUCCESS,
+ HASHTAG_FOLLOW_REQUEST,
+ HASHTAG_FOLLOW_FAIL,
+ HASHTAG_UNFOLLOW_REQUEST,
+ HASHTAG_UNFOLLOW_FAIL,
+} from 'mastodon/actions/tags';
+import { Map as ImmutableMap, fromJS } from 'immutable';
+
+const initialState = ImmutableMap();
+
+export default function tags(state = initialState, action) {
+ switch(action.type) {
+ case HASHTAG_FETCH_SUCCESS:
+ return state.set(action.name, fromJS(action.tag));
+ case HASHTAG_FOLLOW_REQUEST:
+ case HASHTAG_UNFOLLOW_FAIL:
+ return state.setIn([action.name, 'following'], true);
+ case HASHTAG_FOLLOW_FAIL:
+ case HASHTAG_UNFOLLOW_REQUEST:
+ return state.setIn([action.name, 'following'], false);
+ default:
+ return state;
+ }
+};
diff --git a/app/javascript/mastodon/selectors/index.js b/app/javascript/mastodon/selectors/index.js
index 187e3306d..3dd7f4897 100644
--- a/app/javascript/mastodon/selectors/index.js
+++ b/app/javascript/mastodon/selectors/index.js
@@ -1,5 +1,6 @@
import { createSelector } from 'reselect';
import { List as ImmutableList, Map as ImmutableMap } from 'immutable';
+import { toServerSideType } from 'mastodon/utils/filters';
import { me } from '../initial_state';
const getAccountBase = (state, id) => state.getIn(['accounts', id], null);
@@ -20,23 +21,6 @@ export const makeGetAccount = () => {
});
};
-const toServerSideType = columnType => {
- switch (columnType) {
- case 'home':
- case 'notifications':
- case 'public':
- case 'thread':
- case 'account':
- return columnType;
- default:
- if (columnType.indexOf('list:') > -1) {
- return 'home';
- } else {
- return 'public'; // community, account, hashtag
- }
- }
-};
-
const getFilters = (state, { contextType }) => {
if (!contextType) return null;
@@ -73,6 +57,7 @@ export const makeGetStatus = () => {
if (filterResults.some((result) => filters.getIn([result.get('filter'), 'filter_action']) === 'hide')) {
return null;
}
+ filterResults = filterResults.filter(result => filters.has(result.get('filter')));
if (!filterResults.isEmpty()) {
filtered = filterResults.map(result => filters.getIn([result.get('filter'), 'title']));
}
diff --git a/app/javascript/mastodon/service_worker/entry.js b/app/javascript/mastodon/service_worker/entry.js
index b354f3b33..e4c66cc00 100644
--- a/app/javascript/mastodon/service_worker/entry.js
+++ b/app/javascript/mastodon/service_worker/entry.js
@@ -1,20 +1,59 @@
-// import { freeStorage, storageFreeable } from '../storage/modifier';
-import './web_push_notifications';
+import { ExpirationPlugin } from 'workbox-expiration';
+import { precacheAndRoute } from 'workbox-precaching';
+import { registerRoute } from 'workbox-routing';
+import { CacheFirst } from 'workbox-strategies';
+import { handleNotificationClick, handlePush } from './web_push_notifications';
-// function openSystemCache() {
-// return caches.open('mastodon-system');
-// }
+const CACHE_NAME_PREFIX = 'mastodon-';
function openWebCache() {
- return caches.open('mastodon-web');
+ return caches.open(`${CACHE_NAME_PREFIX}web`);
}
function fetchRoot() {
return fetch('/', { credentials: 'include', redirect: 'manual' });
}
-// const firefox = navigator.userAgent.match(/Firefox\/(\d+)/);
-// const invalidOnlyIfCached = firefox && firefox[1] < 60;
+precacheAndRoute(self.__WB_MANIFEST);
+
+registerRoute(
+ /locale_.*\.js$/,
+ new CacheFirst({
+ cacheName: `${CACHE_NAME_PREFIX}locales`,
+ plugins: [
+ new ExpirationPlugin({
+ maxAgeSeconds: 30 * 24 * 60 * 60, // 1 month
+ maxEntries: 5,
+ }),
+ ],
+ }),
+);
+
+registerRoute(
+ ({ request }) => request.destination === 'font',
+ new CacheFirst({
+ cacheName: `${CACHE_NAME_PREFIX}fonts`,
+ plugins: [
+ new ExpirationPlugin({
+ maxAgeSeconds: 30 * 24 * 60 * 60, // 1 month
+ maxEntries: 5,
+ }),
+ ],
+ }),
+);
+
+registerRoute(
+ ({ request }) => ['audio', 'image', 'track', 'video'].includes(request.destination),
+ new CacheFirst({
+ cacheName: `m${CACHE_NAME_PREFIX}media`,
+ plugins: [
+ new ExpirationPlugin({
+ maxAgeSeconds: 7 * 24 * 60 * 60, // 1 week
+ maxEntries: 256,
+ }),
+ ],
+ }),
+);
// Cause a new version of a registered Service Worker to replace an existing one
// that is already installed, and replace the currently active worker on open pages.
@@ -52,26 +91,8 @@ self.addEventListener('fetch', function(event) {
return response;
}));
- } /* else if (storageFreeable && (ATTACHMENT_HOST ? url.host === ATTACHMENT_HOST : url.pathname.startsWith('/system/'))) {
- event.respondWith(openSystemCache().then(cache => {
- return cache.match(event.request.url).then(cached => {
- if (cached === undefined) {
- const asyncResponse = invalidOnlyIfCached && event.request.cache === 'only-if-cached' ?
- fetch(event.request, { cache: 'no-cache' }) : fetch(event.request);
-
- return asyncResponse.then(response => {
- if (response.ok) {
- cache
- .put(event.request.url, response.clone())
- .catch(()=>{}).then(freeStorage()).catch();
- }
-
- return response;
- });
- }
-
- return cached;
- });
- }));
- } */
+ }
});
+
+self.addEventListener('push', handlePush);
+self.addEventListener('notificationclick', handleNotificationClick);
diff --git a/app/javascript/mastodon/service_worker/web_push_notifications.js b/app/javascript/mastodon/service_worker/web_push_notifications.js
index 48a2be7e7..9b75e9b9d 100644
--- a/app/javascript/mastodon/service_worker/web_push_notifications.js
+++ b/app/javascript/mastodon/service_worker/web_push_notifications.js
@@ -75,7 +75,7 @@ const formatMessage = (messageId, locale, values = {}) =>
const htmlToPlainText = html =>
unescape(html.replace(/ /g, '\n').replace(/<\/p>
/g, '\n\n').replace(/<[^>]*>/g, ''));
-const handlePush = (event) => {
+export const handlePush = (event) => {
const { access_token, notification_id, preferred_locale, title, body, icon } = event.data.json();
// Placeholder until more information can be loaded
@@ -189,7 +189,7 @@ const openUrl = url =>
return self.clients.openWindow(url);
});
-const handleNotificationClick = (event) => {
+export const handleNotificationClick = (event) => {
const reactToNotificationClick = new Promise((resolve, reject) => {
if (event.action) {
if (event.action === 'expand') {
@@ -211,6 +211,3 @@ const handleNotificationClick = (event) => {
event.waitUntil(reactToNotificationClick);
};
-
-self.addEventListener('push', handlePush);
-self.addEventListener('notificationclick', handleNotificationClick);
diff --git a/app/javascript/mastodon/storage/db.js b/app/javascript/mastodon/storage/db.js
deleted file mode 100644
index 377a792a7..000000000
--- a/app/javascript/mastodon/storage/db.js
+++ /dev/null
@@ -1,27 +0,0 @@
-export default () => new Promise((resolve, reject) => {
- // ServiceWorker is required to synchronize the login state.
- // Microsoft Edge 17 does not support getAll according to:
- // Catalog of standard and vendor APIs across browsers - Microsoft Edge Development
- // https://developer.microsoft.com/en-us/microsoft-edge/platform/catalog/?q=specName%3Aindexeddb
- if (!('caches' in self && 'getAll' in IDBObjectStore.prototype)) {
- reject();
- return;
- }
-
- const request = indexedDB.open('mastodon');
-
- request.onerror = reject;
- request.onsuccess = ({ target }) => resolve(target.result);
-
- request.onupgradeneeded = ({ target }) => {
- const accounts = target.result.createObjectStore('accounts', { autoIncrement: true });
- const statuses = target.result.createObjectStore('statuses', { autoIncrement: true });
-
- accounts.createIndex('id', 'id', { unique: true });
- accounts.createIndex('moved', 'moved');
-
- statuses.createIndex('id', 'id', { unique: true });
- statuses.createIndex('account', 'account');
- statuses.createIndex('reblog', 'reblog');
- };
-});
diff --git a/app/javascript/mastodon/storage/modifier.js b/app/javascript/mastodon/storage/modifier.js
deleted file mode 100644
index 9fadabef4..000000000
--- a/app/javascript/mastodon/storage/modifier.js
+++ /dev/null
@@ -1,211 +0,0 @@
-import openDB from './db';
-
-const accountAssetKeys = ['avatar', 'avatar_static', 'header', 'header_static'];
-const storageMargin = 8388608;
-const storeLimit = 1024;
-
-// navigator.storage is not present on:
-// Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/58.0.3029.100 Safari/537.36 Edge/16.16299
-// estimate method is not present on Chrome 57.0.2987.98 on Linux.
-export const storageFreeable = 'storage' in navigator && 'estimate' in navigator.storage;
-
-function openCache() {
- // ServiceWorker and Cache API is not available on iOS 11
- // https://webkit.org/status/#specification-service-workers
- return self.caches ? caches.open('mastodon-system') : Promise.reject();
-}
-
-function printErrorIfAvailable(error) {
- if (error) {
- console.warn(error);
- }
-}
-
-function put(name, objects, onupdate, oncreate) {
- return openDB().then(db => (new Promise((resolve, reject) => {
- const putTransaction = db.transaction(name, 'readwrite');
- const putStore = putTransaction.objectStore(name);
- const putIndex = putStore.index('id');
-
- objects.forEach(object => {
- putIndex.getKey(object.id).onsuccess = retrieval => {
- function addObject() {
- putStore.add(object);
- }
-
- function deleteObject() {
- putStore.delete(retrieval.target.result).onsuccess = addObject;
- }
-
- if (retrieval.target.result) {
- if (onupdate) {
- onupdate(object, retrieval.target.result, putStore, deleteObject);
- } else {
- deleteObject();
- }
- } else {
- if (oncreate) {
- oncreate(object, addObject);
- } else {
- addObject();
- }
- }
- };
- });
-
- putTransaction.oncomplete = () => {
- const readTransaction = db.transaction(name, 'readonly');
- const readStore = readTransaction.objectStore(name);
- const count = readStore.count();
-
- count.onsuccess = () => {
- const excess = count.result - storeLimit;
-
- if (excess > 0) {
- const retrieval = readStore.getAll(null, excess);
-
- retrieval.onsuccess = () => resolve(retrieval.result);
- retrieval.onerror = reject;
- } else {
- resolve([]);
- }
- };
-
- count.onerror = reject;
- };
-
- putTransaction.onerror = reject;
- })).then(resolved => {
- db.close();
- return resolved;
- }, error => {
- db.close();
- throw error;
- }));
-}
-
-function evictAccountsByRecords(records) {
- return openDB().then(db => {
- const transaction = db.transaction(['accounts', 'statuses'], 'readwrite');
- const accounts = transaction.objectStore('accounts');
- const accountsIdIndex = accounts.index('id');
- const accountsMovedIndex = accounts.index('moved');
- const statuses = transaction.objectStore('statuses');
- const statusesIndex = statuses.index('account');
-
- function evict(toEvict) {
- toEvict.forEach(record => {
- openCache()
- .then(cache => accountAssetKeys.forEach(key => cache.delete(records[key])))
- .catch(printErrorIfAvailable);
-
- accountsMovedIndex.getAll(record.id).onsuccess = ({ target }) => evict(target.result);
-
- statusesIndex.getAll(record.id).onsuccess =
- ({ target }) => evictStatusesByRecords(target.result);
-
- accountsIdIndex.getKey(record.id).onsuccess =
- ({ target }) => target.result && accounts.delete(target.result);
- });
- }
-
- evict(records);
-
- db.close();
- }).catch(printErrorIfAvailable);
-}
-
-export function evictStatus(id) {
- evictStatuses([id]);
-}
-
-export function evictStatuses(ids) {
- return openDB().then(db => {
- const transaction = db.transaction('statuses', 'readwrite');
- const store = transaction.objectStore('statuses');
- const idIndex = store.index('id');
- const reblogIndex = store.index('reblog');
-
- ids.forEach(id => {
- reblogIndex.getAllKeys(id).onsuccess =
- ({ target }) => target.result.forEach(reblogKey => store.delete(reblogKey));
-
- idIndex.getKey(id).onsuccess =
- ({ target }) => target.result && store.delete(target.result);
- });
-
- db.close();
- }).catch(printErrorIfAvailable);
-}
-
-function evictStatusesByRecords(records) {
- return evictStatuses(records.map(({ id }) => id));
-}
-
-export function putAccounts(records, avatarStatic) {
- const avatarKey = avatarStatic ? 'avatar_static' : 'avatar';
- const newURLs = [];
-
- put('accounts', records, (newRecord, oldKey, store, oncomplete) => {
- store.get(oldKey).onsuccess = ({ target }) => {
- accountAssetKeys.forEach(key => {
- const newURL = newRecord[key];
- const oldURL = target.result[key];
-
- if (newURL !== oldURL) {
- openCache()
- .then(cache => cache.delete(oldURL))
- .catch(printErrorIfAvailable);
- }
- });
-
- const newURL = newRecord[avatarKey];
- const oldURL = target.result[avatarKey];
-
- if (newURL !== oldURL) {
- newURLs.push(newURL);
- }
-
- oncomplete();
- };
- }, (newRecord, oncomplete) => {
- newURLs.push(newRecord[avatarKey]);
- oncomplete();
- }).then(records => Promise.all([
- evictAccountsByRecords(records),
- openCache().then(cache => cache.addAll(newURLs)),
- ])).then(freeStorage, error => {
- freeStorage();
- throw error;
- }).catch(printErrorIfAvailable);
-}
-
-export function putStatuses(records) {
- put('statuses', records)
- .then(evictStatusesByRecords)
- .catch(printErrorIfAvailable);
-}
-
-export function freeStorage() {
- return storageFreeable && navigator.storage.estimate().then(({ quota, usage }) => {
- if (usage + storageMargin < quota) {
- return null;
- }
-
- return openDB().then(db => new Promise((resolve, reject) => {
- const retrieval = db.transaction('accounts', 'readonly').objectStore('accounts').getAll(null, 1);
-
- retrieval.onsuccess = () => {
- if (retrieval.result.length > 0) {
- resolve(evictAccountsByRecords(retrieval.result).then(freeStorage));
- } else {
- resolve(caches.delete('mastodon-system'));
- }
- };
-
- retrieval.onerror = reject;
-
- db.close();
- }));
- });
-}
diff --git a/app/javascript/mastodon/utils/filters.js b/app/javascript/mastodon/utils/filters.js
new file mode 100644
index 000000000..97b433a99
--- /dev/null
+++ b/app/javascript/mastodon/utils/filters.js
@@ -0,0 +1,16 @@
+export const toServerSideType = columnType => {
+ switch (columnType) {
+ case 'home':
+ case 'notifications':
+ case 'public':
+ case 'thread':
+ case 'account':
+ return columnType;
+ default:
+ if (columnType.indexOf('list:') > -1) {
+ return 'home';
+ } else {
+ return 'public'; // community, account, hashtag
+ }
+ }
+};
diff --git a/app/javascript/mastodon/utils/icons.js b/app/javascript/mastodon/utils/icons.js
new file mode 100644
index 000000000..c3e362e39
--- /dev/null
+++ b/app/javascript/mastodon/utils/icons.js
@@ -0,0 +1,15 @@
+import React from 'react';
+
+// Copied from emoji-mart for consistency with emoji picker and since
+// they don't export the icons in the package
+export const loupeIcon = (
+
+
+
+);
+
+export const deleteIcon = (
+
+
+
+);
diff --git a/app/javascript/packs/application.js b/app/javascript/packs/application.js
index 91240aecf..020f2b4a0 100644
--- a/app/javascript/packs/application.js
+++ b/app/javascript/packs/application.js
@@ -4,8 +4,10 @@ import { start } from '../mastodon/common';
start();
-loadPolyfills().then(() => {
- require('../mastodon/main').default();
+loadPolyfills().then(async () => {
+ const { default: main } = await import('mastodon/main');
+
+ return main();
}).catch(e => {
console.error(e);
});
diff --git a/app/javascript/styles/mastodon/_mixins.scss b/app/javascript/styles/mastodon/_mixins.scss
index 68cad0fde..dcfab6bd0 100644
--- a/app/javascript/styles/mastodon/_mixins.scss
+++ b/app/javascript/styles/mastodon/_mixins.scss
@@ -20,6 +20,7 @@
font-family: inherit;
background: $ui-base-color;
color: $darker-text-color;
+ border-radius: 4px;
font-size: 14px;
margin: 0;
}
diff --git a/app/javascript/styles/mastodon/components.scss b/app/javascript/styles/mastodon/components.scss
index e9e9a2faa..b906117db 100644
--- a/app/javascript/styles/mastodon/components.scss
+++ b/app/javascript/styles/mastodon/components.scss
@@ -126,6 +126,27 @@
&:hover {
border-color: lighten($ui-primary-color, 4%);
color: lighten($darker-text-color, 4%);
+ text-decoration: none;
+ }
+
+ &:disabled {
+ opacity: 0.5;
+ }
+ }
+
+ &.button-tertiary {
+ background: transparent;
+ padding: 6px 17px;
+ color: $highlight-text-color;
+ border: 1px solid $highlight-text-color;
+
+ &:active,
+ &:focus,
+ &:hover {
+ background: $ui-highlight-color;
+ color: $primary-text-color;
+ border: 0;
+ padding: 7px 18px;
}
&:disabled {
@@ -700,6 +721,19 @@
transition: height 0.4s ease, opacity 0.4s ease;
}
+.sign-in-banner {
+ padding: 10px;
+
+ p {
+ color: $darker-text-color;
+ margin-bottom: 20px;
+ }
+
+ .button {
+ margin-bottom: 10px;
+ }
+}
+
.emojione {
font-size: inherit;
vertical-align: middle;
@@ -2214,6 +2248,7 @@ a.account__display-name {
> .scrollable {
background: $ui-base-color;
+ border-radius: 0 0 4px 4px;
}
}
@@ -2660,6 +2695,26 @@ a.account__display-name {
height: calc(100% - 10px);
overflow-y: hidden;
+ .hero-widget {
+ box-shadow: none;
+
+ &__text,
+ &__img,
+ &__img img {
+ border-radius: 0;
+ }
+
+ &__text {
+ padding: 15px;
+ color: $secondary-text-color;
+
+ strong {
+ font-weight: 700;
+ color: $primary-text-color;
+ }
+ }
+ }
+
.navigation-bar {
padding-top: 20px;
padding-bottom: 20px;
@@ -2667,10 +2722,6 @@ a.account__display-name {
min-height: 20px;
}
- .flex-spacer {
- background: transparent;
- }
-
.compose-form {
flex: 1;
overflow-y: hidden;
@@ -2709,6 +2760,14 @@ a.account__display-name {
flex: 0 0 auto;
}
+ .logo {
+ height: 30px;
+ width: auto;
+ }
+}
+
+.navigation-panel,
+.compose-panel {
hr {
flex: 0 0 auto;
border: 0;
@@ -2836,6 +2895,7 @@ a.account__display-name {
box-sizing: border-box;
width: 100%;
background: lighten($ui-base-color, 4%);
+ border-radius: 4px 4px 0 0;
color: $highlight-text-color;
cursor: pointer;
flex: 0 0 auto;
@@ -3031,6 +3091,17 @@ a.account__display-name {
color: $highlight-text-color;
}
}
+
+ &--logo {
+ background: transparent;
+ padding: 10px;
+
+ &:hover,
+ &:focus,
+ &:active {
+ background: transparent;
+ }
+ }
}
.column-link__icon {
@@ -3551,6 +3622,7 @@ a.status-card.compact:hover {
display: flex;
font-size: 16px;
background: lighten($ui-base-color, 4%);
+ border-radius: 4px 4px 0 0;
flex: 0 0 auto;
cursor: pointer;
position: relative;
@@ -3623,6 +3695,11 @@ a.status-card.compact:hover {
background: lighten($ui-base-color, 8%);
}
}
+
+ &:disabled {
+ color: $dark-text-color;
+ cursor: default;
+ }
}
.column-header__collapsible {
@@ -5233,6 +5310,16 @@ a.status-card.compact:hover {
line-height: 22px;
color: lighten($inverted-text-color, 16%);
margin-bottom: 30px;
+
+ a {
+ text-decoration: none;
+ color: $inverted-text-color;
+ font-weight: 500;
+
+ &:hover {
+ text-decoration: underline;
+ }
+ }
}
&__actions {
@@ -5379,6 +5466,14 @@ a.status-card.compact:hover {
background: transparent;
margin: 15px 0;
}
+
+ .emoji-mart-search {
+ padding-right: 10px;
+ }
+
+ .emoji-mart-search-icon {
+ right: 10px + 5px;
+ }
}
.report-modal__container {
@@ -5939,6 +6034,13 @@ a.status-card.compact:hover {
height: 100%;
}
+ &.inactive {
+ audio,
+ .video-player__controls {
+ visibility: hidden;
+ }
+ }
+
.video-player__volume::before,
.video-player__seek::before {
background: currentColor;
@@ -7847,3 +7949,85 @@ noscript {
}
}
}
+
+.server-banner {
+ padding: 20px 0;
+
+ &__introduction {
+ color: $darker-text-color;
+ margin-bottom: 20px;
+
+ strong {
+ font-weight: 600;
+ }
+
+ a {
+ color: inherit;
+ text-decoration: underline;
+
+ &:hover,
+ &:active,
+ &:focus {
+ text-decoration: none;
+ }
+ }
+ }
+
+ &__hero {
+ display: block;
+ border-radius: 4px;
+ width: 100%;
+ height: auto;
+ margin-bottom: 20px;
+ aspect-ratio: 1.9;
+ border: 0;
+ background: $ui-base-color;
+ object-fit: cover;
+ }
+
+ &__description {
+ margin-bottom: 20px;
+ }
+
+ &__meta {
+ display: flex;
+ gap: 10px;
+ max-width: 100%;
+
+ &__column {
+ flex: 0 0 auto;
+ width: calc(50% - 5px);
+ overflow: hidden;
+ }
+ }
+
+ &__number {
+ font-weight: 600;
+ color: $primary-text-color;
+ }
+
+ &__number-label {
+ color: $darker-text-color;
+ font-weight: 500;
+ }
+
+ h4 {
+ text-transform: uppercase;
+ color: $darker-text-color;
+ margin-bottom: 10px;
+ font-weight: 600;
+ }
+
+ .account {
+ padding: 0;
+ border: 0;
+ }
+
+ .account__avatar-wrapper {
+ margin-left: 0;
+ }
+
+ .spacer {
+ margin: 10px 0;
+ }
+}
diff --git a/app/javascript/styles/mastodon/tables.scss b/app/javascript/styles/mastodon/tables.scss
index 431b8a73a..39211910f 100644
--- a/app/javascript/styles/mastodon/tables.scss
+++ b/app/javascript/styles/mastodon/tables.scss
@@ -190,6 +190,55 @@ a.table-action-link {
}
}
+ &__select-all {
+ background: $ui-base-color;
+ height: 47px;
+ align-items: center;
+ justify-content: center;
+ border: 1px solid darken($ui-base-color, 8%);
+ border-top: 0;
+ color: $secondary-text-color;
+ display: none;
+
+ &.active {
+ display: flex;
+ }
+
+ .selected,
+ .not-selected {
+ display: none;
+
+ &.active {
+ display: block;
+ }
+ }
+
+ strong {
+ font-weight: 700;
+ }
+
+ span {
+ padding: 8px;
+ display: inline-block;
+ }
+
+ button {
+ background: transparent;
+ border: 0;
+ font: inherit;
+ color: $highlight-text-color;
+ border-radius: 4px;
+ font-weight: 700;
+ padding: 8px;
+
+ &:hover,
+ &:focus,
+ &:active {
+ background: lighten($ui-base-color, 8%);
+ }
+ }
+ }
+
&__form {
padding: 16px;
border: 1px solid darken($ui-base-color, 8%);
diff --git a/app/lib/activitypub/activity.rb b/app/lib/activitypub/activity.rb
index 7ff06ea39..f4c67cccd 100644
--- a/app/lib/activitypub/activity.rb
+++ b/app/lib/activitypub/activity.rb
@@ -116,12 +116,12 @@ class ActivityPub::Activity
def dereference_object!
return unless @object.is_a?(String)
- dereferencer = ActivityPub::Dereferencer.new(@object, permitted_origin: @account.uri, signature_account: signed_fetch_account)
+ dereferencer = ActivityPub::Dereferencer.new(@object, permitted_origin: @account.uri, signature_actor: signed_fetch_actor)
@object = dereferencer.object unless dereferencer.object.nil?
end
- def signed_fetch_account
+ def signed_fetch_actor
return Account.find(@options[:delivered_to_account_id]) if @options[:delivered_to_account_id].present?
first_mentioned_local_account || first_local_follower
@@ -163,15 +163,15 @@ class ActivityPub::Activity
end
def followed_by_local_accounts?
- @account.passive_relationships.exists? || @options[:relayed_through_account]&.passive_relationships&.exists?
+ @account.passive_relationships.exists? || (@options[:relayed_through_actor].is_a?(Account) && @options[:relayed_through_actor].passive_relationships&.exists?)
end
def requested_through_relay?
- @options[:relayed_through_account] && Relay.find_by(inbox_url: @options[:relayed_through_account].inbox_url)&.enabled?
+ @options[:relayed_through_actor] && Relay.find_by(inbox_url: @options[:relayed_through_actor].inbox_url)&.enabled?
end
def reject_payload!
- Rails.logger.info("Rejected #{@json['type']} activity #{@json['id']} from #{@account.uri}#{@options[:relayed_through_account] && "via #{@options[:relayed_through_account].uri}"}")
+ Rails.logger.info("Rejected #{@json['type']} activity #{@json['id']} from #{@account.uri}#{@options[:relayed_through_actor] && "via #{@options[:relayed_through_actor].uri}"}")
nil
end
end
diff --git a/app/lib/activitypub/dereferencer.rb b/app/lib/activitypub/dereferencer.rb
index bea69608f..4d7756d71 100644
--- a/app/lib/activitypub/dereferencer.rb
+++ b/app/lib/activitypub/dereferencer.rb
@@ -3,10 +3,10 @@
class ActivityPub::Dereferencer
include JsonLdHelper
- def initialize(uri, permitted_origin: nil, signature_account: nil)
+ def initialize(uri, permitted_origin: nil, signature_actor: nil)
@uri = uri
@permitted_origin = permitted_origin
- @signature_account = signature_account
+ @signature_actor = signature_actor
end
def object
@@ -46,7 +46,7 @@ class ActivityPub::Dereferencer
req.add_headers('Accept' => 'application/activity+json, application/ld+json')
req.add_headers(headers) if headers
- req.on_behalf_of(@signature_account) if @signature_account
+ req.on_behalf_of(@signature_actor) if @signature_actor
req.perform do |res|
if res.code == 200
diff --git a/app/lib/activitypub/linked_data_signature.rb b/app/lib/activitypub/linked_data_signature.rb
index e853a970e..f90adaf6c 100644
--- a/app/lib/activitypub/linked_data_signature.rb
+++ b/app/lib/activitypub/linked_data_signature.rb
@@ -9,7 +9,7 @@ class ActivityPub::LinkedDataSignature
@json = json.with_indifferent_access
end
- def verify_account!
+ def verify_actor!
return unless @json['signature'].is_a?(Hash)
type = @json['signature']['type']
@@ -18,7 +18,7 @@ class ActivityPub::LinkedDataSignature
return unless type == 'RsaSignature2017'
- creator = ActivityPub::TagManager.instance.uri_to_resource(creator_uri, Account)
+ creator = ActivityPub::TagManager.instance.uri_to_actor(creator_uri)
creator ||= ActivityPub::FetchRemoteKeyService.new.call(creator_uri, id: false)
return if creator.nil?
@@ -35,7 +35,7 @@ class ActivityPub::LinkedDataSignature
def sign!(creator, sign_with: nil)
options = {
'type' => 'RsaSignature2017',
- 'creator' => [ActivityPub::TagManager.instance.uri_for(creator), '#main-key'].join,
+ 'creator' => ActivityPub::TagManager.instance.key_uri_for(creator),
'created' => Time.now.utc.iso8601,
}
diff --git a/app/lib/activitypub/tag_manager.rb b/app/lib/activitypub/tag_manager.rb
index f6b9741fa..3d6b28ef5 100644
--- a/app/lib/activitypub/tag_manager.rb
+++ b/app/lib/activitypub/tag_manager.rb
@@ -44,6 +44,10 @@ class ActivityPub::TagManager
end
end
+ def key_uri_for(target)
+ [uri_for(target), '#main-key'].join
+ end
+
def uri_for_username(username)
account_url(username: username)
end
@@ -155,6 +159,10 @@ class ActivityPub::TagManager
path_params[param]
end
+ def uri_to_actor(uri)
+ uri_to_resource(uri, Account)
+ end
+
def uri_to_resource(uri, klass)
return if uri.nil?
diff --git a/app/lib/feed_manager.rb b/app/lib/feed_manager.rb
index c607223fc..0bc7e254e 100644
--- a/app/lib/feed_manager.rb
+++ b/app/lib/feed_manager.rb
@@ -403,6 +403,7 @@ class FeedManager
def filter_from_home?(status, receiver_id, crutches)
return false if receiver_id == status.account_id
return true if status.reply? && (status.in_reply_to_id.nil? || status.in_reply_to_account_id.nil?)
+ return true if crutches[:languages][status.account_id].present? && status.language.present? && !crutches[:languages][status.account_id].include?(status.language)
check_for_blocks = crutches[:active_mentions][status.id] || []
check_for_blocks.concat([status.account_id])
@@ -600,6 +601,7 @@ class FeedManager
end
crutches[:following] = Follow.where(account_id: receiver_id, target_account_id: statuses.map(&:in_reply_to_account_id).compact).pluck(:target_account_id).index_with(true)
+ crutches[:languages] = Follow.where(account_id: receiver_id, target_account_id: statuses.map(&:account_id)).pluck(:target_account_id, :languages).to_h
crutches[:hiding_reblogs] = Follow.where(account_id: receiver_id, target_account_id: statuses.map { |s| s.account_id if s.reblog? }.compact, show_reblogs: false).pluck(:target_account_id).index_with(true)
crutches[:blocking] = Block.where(account_id: receiver_id, target_account_id: check_for_blocks).pluck(:target_account_id).index_with(true)
crutches[:muting] = Mute.where(account_id: receiver_id, target_account_id: check_for_blocks).pluck(:target_account_id).index_with(true)
diff --git a/app/lib/importer/statuses_index_importer.rb b/app/lib/importer/statuses_index_importer.rb
index 7c6532560..5b5153d5c 100644
--- a/app/lib/importer/statuses_index_importer.rb
+++ b/app/lib/importer/statuses_index_importer.rb
@@ -84,6 +84,6 @@ class Importer::StatusesIndexImporter < Importer::BaseImporter
end
def local_statuses_scope
- Status.local.select('id, coalesce(reblog_of_id, id) as status_id')
+ Status.local.select('"statuses"."id", COALESCE("statuses"."reblog_of_id", "statuses"."id") AS status_id')
end
end
diff --git a/app/lib/permalink_redirector.rb b/app/lib/permalink_redirector.rb
index e48bce060..6d15f3963 100644
--- a/app/lib/permalink_redirector.rb
+++ b/app/lib/permalink_redirector.rb
@@ -17,10 +17,6 @@ class PermalinkRedirector
find_status_url_by_id(path_segments[2])
elsif path_segments[1] == 'accounts' && path_segments[2] =~ /\d/
find_account_url_by_id(path_segments[2])
- elsif path_segments[1] == 'timelines' && path_segments[2] == 'tag' && path_segments[3].present?
- find_tag_url_by_name(path_segments[3])
- elsif path_segments[1] == 'tags' && path_segments[2].present?
- find_tag_url_by_name(path_segments[2])
end
end
end
diff --git a/app/lib/redis_configuration.rb b/app/lib/redis_configuration.rb
index e14d6c8b6..f0e86d985 100644
--- a/app/lib/redis_configuration.rb
+++ b/app/lib/redis_configuration.rb
@@ -7,9 +7,7 @@ class RedisConfiguration
@pool = ConnectionPool.new(size: new_pool_size) { new.connection }
end
- def with
- pool.with { |redis| yield redis }
- end
+ delegate :with, to: :pool
def pool
@pool ||= establish_pool(pool_size)
@@ -17,7 +15,7 @@ class RedisConfiguration
def pool_size
if Sidekiq.server?
- Sidekiq.options[:concurrency]
+ Sidekiq[:concurrency]
else
ENV['MAX_THREADS'] || 5
end
diff --git a/app/lib/request.rb b/app/lib/request.rb
index 4289da933..648aa3085 100644
--- a/app/lib/request.rb
+++ b/app/lib/request.rb
@@ -31,7 +31,7 @@ class Request
@url = Addressable::URI.parse(url).normalize
@http_client = options.delete(:http_client)
@options = options.merge(socket_class: use_proxy? ? ProxySocket : Socket)
- @options = @options.merge(Rails.configuration.x.http_client_proxy) if use_proxy?
+ @options = @options.merge(proxy_url) if use_proxy?
@headers = {}
raise Mastodon::HostValidationError, 'Instance does not support hidden service connections' if block_hidden_service?
@@ -40,12 +40,11 @@ class Request
set_digest! if options.key?(:body)
end
- def on_behalf_of(account, key_id_format = :uri, sign_with: nil)
- raise ArgumentError, 'account must not be nil' if account.nil?
+ def on_behalf_of(actor, sign_with: nil)
+ raise ArgumentError, 'actor must not be nil' if actor.nil?
- @account = account
- @keypair = sign_with.present? ? OpenSSL::PKey::RSA.new(sign_with) : @account.keypair
- @key_id_format = key_id_format
+ @actor = actor
+ @keypair = sign_with.present? ? OpenSSL::PKey::RSA.new(sign_with) : @actor.keypair
self
end
@@ -79,7 +78,7 @@ class Request
end
def headers
- (@account ? @headers.merge('Signature' => signature) : @headers).without(REQUEST_TARGET)
+ (@actor ? @headers.merge('Signature' => signature) : @headers).without(REQUEST_TARGET)
end
class << self
@@ -128,12 +127,7 @@ class Request
end
def key_id
- case @key_id_format
- when :acct
- @account.to_webfinger_s
- when :uri
- [ActivityPub::TagManager.instance.uri_for(@account), '#main-key'].join
- end
+ ActivityPub::TagManager.instance.key_uri_for(@actor)
end
def http_client
@@ -141,11 +135,23 @@ class Request
end
def use_proxy?
- Rails.configuration.x.http_client_proxy.present?
+ proxy_url.present?
+ end
+
+ def proxy_url
+ if hidden_service? && Rails.configuration.x.http_client_hidden_proxy.present?
+ Rails.configuration.x.http_client_hidden_proxy
+ else
+ Rails.configuration.x.http_client_proxy
+ end
end
def block_hidden_service?
- !Rails.configuration.x.access_to_hidden_service && /\.(onion|i2p)$/.match?(@url.host)
+ !Rails.configuration.x.access_to_hidden_service && hidden_service?
+ end
+
+ def hidden_service?
+ /\.(onion|i2p)$/.match?(@url.host)
end
module ClientLimit
@@ -196,7 +202,7 @@ class Request
addresses.each do |address|
begin
- check_private_address(address)
+ check_private_address(address, host)
sock = ::Socket.new(address.is_a?(Resolv::IPv6) ? ::Socket::AF_INET6 : ::Socket::AF_INET, ::Socket::SOCK_STREAM, 0)
sockaddr = ::Socket.pack_sockaddr_in(port, address.to_s)
@@ -252,10 +258,10 @@ class Request
alias new open
- def check_private_address(address)
+ def check_private_address(address, host)
addr = IPAddr.new(address.to_s)
return if private_address_exceptions.any? { |range| range.include?(addr) }
- raise Mastodon::HostValidationError if PrivateAddressCheck.private_address?(addr)
+ raise Mastodon::PrivateNetworkAddressError, host if PrivateAddressCheck.private_address?(addr)
end
def private_address_exceptions
diff --git a/app/lib/translation_service.rb b/app/lib/translation_service.rb
new file mode 100644
index 000000000..526e26ae5
--- /dev/null
+++ b/app/lib/translation_service.rb
@@ -0,0 +1,23 @@
+# frozen_string_literal: true
+
+class TranslationService
+ class Error < StandardError; end
+ class NotConfiguredError < Error; end
+ class TooManyRequestsError < Error; end
+ class QuotaExceededError < Error; end
+ class UnexpectedResponseError < Error; end
+
+ def self.configured
+ if ENV['DEEPL_API_KEY'].present?
+ TranslationService::DeepL.new(ENV.fetch('DEEPL_PLAN', 'free'), ENV['DEEPL_API_KEY'])
+ elsif ENV['LIBRE_TRANSLATE_ENDPOINT'].present?
+ TranslationService::LibreTranslate.new(ENV['LIBRE_TRANSLATE_ENDPOINT'], ENV['LIBRE_TRANSLATE_API_KEY'])
+ else
+ raise NotConfiguredError
+ end
+ end
+
+ def translate(_text, _source_language, _target_language)
+ raise NotImplementedError
+ end
+end
diff --git a/app/lib/translation_service/deepl.rb b/app/lib/translation_service/deepl.rb
new file mode 100644
index 000000000..b75b604a8
--- /dev/null
+++ b/app/lib/translation_service/deepl.rb
@@ -0,0 +1,53 @@
+# frozen_string_literal: true
+
+class TranslationService::DeepL < TranslationService
+ include JsonLdHelper
+
+ def initialize(plan, api_key)
+ super()
+
+ @plan = plan
+ @api_key = api_key
+ end
+
+ def translate(text, source_language, target_language)
+ request(text, source_language, target_language).perform do |res|
+ case res.code
+ when 429
+ raise TooManyRequestsError
+ when 456
+ raise QuotaExceededError
+ when 200...300
+ transform_response(res.body_with_limit)
+ else
+ raise UnexpectedResponseError
+ end
+ end
+ end
+
+ private
+
+ def request(text, source_language, target_language)
+ req = Request.new(:post, endpoint_url, form: { text: text, source_lang: source_language&.upcase, target_lang: target_language, tag_handling: 'html' })
+ req.add_headers('Authorization': "DeepL-Auth-Key #{@api_key}")
+ req
+ end
+
+ def endpoint_url
+ if @plan == 'free'
+ 'https://api-free.deepl.com/v2/translate'
+ else
+ 'https://api.deepl.com/v2/translate'
+ end
+ end
+
+ def transform_response(str)
+ json = Oj.load(str, mode: :strict)
+
+ raise UnexpectedResponseError unless json.is_a?(Hash)
+
+ Translation.new(text: json.dig('translations', 0, 'text'), detected_source_language: json.dig('translations', 0, 'detected_source_language')&.downcase)
+ rescue Oj::ParseError
+ raise UnexpectedResponseError
+ end
+end
diff --git a/app/lib/translation_service/libre_translate.rb b/app/lib/translation_service/libre_translate.rb
new file mode 100644
index 000000000..8cf26f868
--- /dev/null
+++ b/app/lib/translation_service/libre_translate.rb
@@ -0,0 +1,44 @@
+# frozen_string_literal: true
+
+class TranslationService::LibreTranslate < TranslationService
+ def initialize(base_url, api_key)
+ super()
+
+ @base_url = base_url
+ @api_key = api_key
+ end
+
+ def translate(text, source_language, target_language)
+ request(text, source_language, target_language).perform do |res|
+ case res.code
+ when 429
+ raise TooManyRequestsError
+ when 403
+ raise QuotaExceededError
+ when 200...300
+ transform_response(res.body_with_limit, source_language)
+ else
+ raise UnexpectedResponseError
+ end
+ end
+ end
+
+ private
+
+ def request(text, source_language, target_language)
+ body = Oj.dump(q: text, source: source_language.presence || 'auto', target: target_language, format: 'html', api_key: @api_key)
+ req = Request.new(:post, "#{@base_url}/translate", body: body)
+ req.add_headers('Content-Type': 'application/json')
+ req
+ end
+
+ def transform_response(str, source_language)
+ json = Oj.load(str, mode: :strict)
+
+ raise UnexpectedResponseError unless json.is_a?(Hash)
+
+ Translation.new(text: json['translatedText'], detected_source_language: source_language)
+ rescue Oj::ParseError
+ raise UnexpectedResponseError
+ end
+end
diff --git a/app/lib/translation_service/translation.rb b/app/lib/translation_service/translation.rb
new file mode 100644
index 000000000..a55b82574
--- /dev/null
+++ b/app/lib/translation_service/translation.rb
@@ -0,0 +1,5 @@
+# frozen_string_literal: true
+
+class TranslationService::Translation < ActiveModelSerializers::Model
+ attributes :text, :detected_source_language
+end
diff --git a/app/lib/vacuum.rb b/app/lib/vacuum.rb
new file mode 100644
index 000000000..9db1ec90b
--- /dev/null
+++ b/app/lib/vacuum.rb
@@ -0,0 +1,3 @@
+# frozen_string_literal: true
+
+module Vacuum; end
diff --git a/app/workers/scheduler/doorkeeper_cleanup_scheduler.rb b/app/lib/vacuum/access_tokens_vacuum.rb
similarity index 56%
rename from app/workers/scheduler/doorkeeper_cleanup_scheduler.rb
rename to app/lib/vacuum/access_tokens_vacuum.rb
index 9303a352f..4f3878027 100644
--- a/app/workers/scheduler/doorkeeper_cleanup_scheduler.rb
+++ b/app/lib/vacuum/access_tokens_vacuum.rb
@@ -1,13 +1,18 @@
# frozen_string_literal: true
-class Scheduler::DoorkeeperCleanupScheduler
- include Sidekiq::Worker
-
- sidekiq_options retry: 0
-
+class Vacuum::AccessTokensVacuum
def perform
+ vacuum_revoked_access_tokens!
+ vacuum_revoked_access_grants!
+ end
+
+ private
+
+ def vacuum_revoked_access_tokens!
Doorkeeper::AccessToken.where('revoked_at IS NOT NULL').where('revoked_at < NOW()').delete_all
+ end
+
+ def vacuum_revoked_access_grants!
Doorkeeper::AccessGrant.where('revoked_at IS NOT NULL').where('revoked_at < NOW()').delete_all
- SystemKey.expired.delete_all
end
end
diff --git a/app/lib/vacuum/backups_vacuum.rb b/app/lib/vacuum/backups_vacuum.rb
new file mode 100644
index 000000000..3b83072f3
--- /dev/null
+++ b/app/lib/vacuum/backups_vacuum.rb
@@ -0,0 +1,25 @@
+# frozen_string_literal: true
+
+class Vacuum::BackupsVacuum
+ def initialize(retention_period)
+ @retention_period = retention_period
+ end
+
+ def perform
+ vacuum_expired_backups! if retention_period?
+ end
+
+ private
+
+ def vacuum_expired_backups!
+ backups_past_retention_period.in_batches.destroy_all
+ end
+
+ def backups_past_retention_period
+ Backup.unscoped.where(Backup.arel_table[:created_at].lt(@retention_period.ago))
+ end
+
+ def retention_period?
+ @retention_period.present?
+ end
+end
diff --git a/app/lib/vacuum/feeds_vacuum.rb b/app/lib/vacuum/feeds_vacuum.rb
new file mode 100644
index 000000000..00b9fd646
--- /dev/null
+++ b/app/lib/vacuum/feeds_vacuum.rb
@@ -0,0 +1,41 @@
+# frozen_string_literal: true
+
+class Vacuum::FeedsVacuum
+ def perform
+ vacuum_inactive_home_feeds!
+ vacuum_inactive_list_feeds!
+ vacuum_inactive_direct_feeds!
+ end
+
+ private
+
+ def vacuum_inactive_home_feeds!
+ inactive_users.select(:id, :account_id).find_in_batches do |users|
+ feed_manager.clean_feeds!(:home, users.map(&:account_id))
+ end
+ end
+
+ def vacuum_inactive_list_feeds!
+ inactive_users_lists.select(:id).find_in_batches do |lists|
+ feed_manager.clean_feeds!(:list, lists.map(&:id))
+ end
+ end
+
+ def vacuum_inactive_direct_feeds!
+ inactive_users_lists.select(:id).find_in_batches do |lists|
+ feed_manager.clean_feeds!(:direct, lists.map(&:id))
+ end
+ end
+
+ def inactive_users
+ User.confirmed.inactive
+ end
+
+ def inactive_users_lists
+ List.where(account_id: inactive_users.select(:account_id))
+ end
+
+ def feed_manager
+ FeedManager.instance
+ end
+end
diff --git a/app/lib/vacuum/media_attachments_vacuum.rb b/app/lib/vacuum/media_attachments_vacuum.rb
new file mode 100644
index 000000000..7fb347ce4
--- /dev/null
+++ b/app/lib/vacuum/media_attachments_vacuum.rb
@@ -0,0 +1,40 @@
+# frozen_string_literal: true
+
+class Vacuum::MediaAttachmentsVacuum
+ TTL = 1.day.freeze
+
+ def initialize(retention_period)
+ @retention_period = retention_period
+ end
+
+ def perform
+ vacuum_cached_files! if retention_period?
+ vacuum_orphaned_records!
+ end
+
+ private
+
+ def vacuum_cached_files!
+ media_attachments_past_retention_period.find_each do |media_attachment|
+ media_attachment.file.destroy
+ media_attachment.thumbnail.destroy
+ media_attachment.save
+ end
+ end
+
+ def vacuum_orphaned_records!
+ orphaned_media_attachments.in_batches.destroy_all
+ end
+
+ def media_attachments_past_retention_period
+ MediaAttachment.unscoped.remote.cached.where(MediaAttachment.arel_table[:created_at].lt(@retention_period.ago)).where(MediaAttachment.arel_table[:updated_at].lt(@retention_period.ago))
+ end
+
+ def orphaned_media_attachments
+ MediaAttachment.unscoped.unattached.where(MediaAttachment.arel_table[:created_at].lt(TTL.ago))
+ end
+
+ def retention_period?
+ @retention_period.present?
+ end
+end
diff --git a/app/lib/vacuum/preview_cards_vacuum.rb b/app/lib/vacuum/preview_cards_vacuum.rb
new file mode 100644
index 000000000..84ef100ed
--- /dev/null
+++ b/app/lib/vacuum/preview_cards_vacuum.rb
@@ -0,0 +1,39 @@
+# frozen_string_literal: true
+
+class Vacuum::PreviewCardsVacuum
+ TTL = 1.day.freeze
+
+ def initialize(retention_period)
+ @retention_period = retention_period
+ end
+
+ def perform
+ vacuum_cached_images! if retention_period?
+ vacuum_orphaned_records!
+ end
+
+ private
+
+ def vacuum_cached_images!
+ preview_cards_past_retention_period.find_each do |preview_card|
+ preview_card.image.destroy
+ preview_card.save
+ end
+ end
+
+ def vacuum_orphaned_records!
+ orphaned_preview_cards.in_batches.destroy_all
+ end
+
+ def preview_cards_past_retention_period
+ PreviewCard.cached.where(PreviewCard.arel_table[:updated_at].lt(@retention_period.ago))
+ end
+
+ def orphaned_preview_cards
+ PreviewCard.where('NOT EXISTS (SELECT 1 FROM preview_cards_statuses WHERE preview_cards_statuses.preview_card_id = preview_cards.id)').where(PreviewCard.arel_table[:created_at].lt(TTL.ago))
+ end
+
+ def retention_period?
+ @retention_period.present?
+ end
+end
diff --git a/app/lib/vacuum/statuses_vacuum.rb b/app/lib/vacuum/statuses_vacuum.rb
new file mode 100644
index 000000000..41d6ba270
--- /dev/null
+++ b/app/lib/vacuum/statuses_vacuum.rb
@@ -0,0 +1,54 @@
+# frozen_string_literal: true
+
+class Vacuum::StatusesVacuum
+ include Redisable
+
+ def initialize(retention_period)
+ @retention_period = retention_period
+ end
+
+ def perform
+ vacuum_statuses! if retention_period?
+ end
+
+ private
+
+ def vacuum_statuses!
+ statuses_scope.find_in_batches do |statuses|
+ # Side-effects not covered by foreign keys, such
+ # as the search index, must be handled first.
+
+ remove_from_account_conversations(statuses)
+ remove_from_search_index(statuses)
+
+ # Foreign keys take care of most associated records
+ # for us. Media attachments will be orphaned.
+
+ Status.where(id: statuses.map(&:id)).delete_all
+ end
+ end
+
+ def statuses_scope
+ Status.unscoped.kept.where(account: Account.remote).where(Status.arel_table[:id].lt(retention_period_as_id)).select(:id, :visibility)
+ end
+
+ def retention_period_as_id
+ Mastodon::Snowflake.id_at(@retention_period.ago, with_random: false)
+ end
+
+ def analyze_statuses!
+ ActiveRecord::Base.connection.execute('ANALYZE statuses')
+ end
+
+ def remove_from_account_conversations(statuses)
+ Status.where(id: statuses.select(&:direct_visibility?).map(&:id)).includes(:account, mentions: :account).each(&:unlink_from_conversations)
+ end
+
+ def remove_from_search_index(statuses)
+ with_redis { |redis| redis.sadd('chewy:queue:StatusesIndex', statuses.map(&:id)) } if Chewy.enabled?
+ end
+
+ def retention_period?
+ @retention_period.present?
+ end
+end
diff --git a/app/lib/vacuum/system_keys_vacuum.rb b/app/lib/vacuum/system_keys_vacuum.rb
new file mode 100644
index 000000000..ceee2fd16
--- /dev/null
+++ b/app/lib/vacuum/system_keys_vacuum.rb
@@ -0,0 +1,13 @@
+# frozen_string_literal: true
+
+class Vacuum::SystemKeysVacuum
+ def perform
+ vacuum_expired_system_keys!
+ end
+
+ private
+
+ def vacuum_expired_system_keys!
+ SystemKey.expired.delete_all
+ end
+end
diff --git a/app/lib/webfinger.rb b/app/lib/webfinger.rb
index a681e0815..7c0c10c33 100644
--- a/app/lib/webfinger.rb
+++ b/app/lib/webfinger.rb
@@ -3,7 +3,7 @@
class Webfinger
class Error < StandardError; end
class GoneError < Error; end
- class RedirectError < StandardError; end
+ class RedirectError < Error; end
class Response
attr_reader :uri
diff --git a/app/mailers/notification_mailer.rb b/app/mailers/notification_mailer.rb
index 9e683b6a1..ab73826ab 100644
--- a/app/mailers/notification_mailer.rb
+++ b/app/mailers/notification_mailer.rb
@@ -66,24 +66,6 @@ class NotificationMailer < ApplicationMailer
end
end
- def digest(recipient, **opts)
- return unless recipient.user.functional?
-
- @me = recipient
- @since = opts[:since] || [@me.user.last_emailed_at, (@me.user.current_sign_in_at + 1.day)].compact.max
- @notifications_count = Notification.where(account: @me, activity_type: 'Mention').where('created_at > ?', @since).count
-
- return if @notifications_count.zero?
-
- @notifications = Notification.where(account: @me, activity_type: 'Mention').where('created_at > ?', @since).limit(40)
- @follows_since = Notification.where(account: @me, activity_type: 'Follow').where('created_at > ?', @since).count
-
- locale_for_account(@me) do
- mail to: @me.user.email,
- subject: I18n.t(:subject, scope: [:notification_mailer, :digest], count: @notifications_count)
- end
- end
-
private
def thread_by_conversation(conversation)
diff --git a/app/models/account.rb b/app/models/account.rb
index 9627cc608..f75750838 100644
--- a/app/models/account.rb
+++ b/app/models/account.rb
@@ -364,6 +364,10 @@ class Account < ApplicationRecord
username
end
+ def to_log_human_identifier
+ acct
+ end
+
def excluded_from_timeline_account_ids
Rails.cache.fetch("exclude_account_ids_for:#{id}") { block_relationships.pluck(:target_account_id) + blocked_by_relationships.pluck(:account_id) + mute_relationships.pluck(:target_account_id) }
end
diff --git a/app/models/account_warning.rb b/app/models/account_warning.rb
index 6067b54b7..961a078b9 100644
--- a/app/models/account_warning.rb
+++ b/app/models/account_warning.rb
@@ -43,4 +43,8 @@ class AccountWarning < ApplicationRecord
def overruled?
overruled_at.present?
end
+
+ def to_log_human_identifier
+ target_account.acct
+ end
end
diff --git a/app/models/admin/action_log.rb b/app/models/admin/action_log.rb
index 401bfd9ac..4fa8008f5 100644
--- a/app/models/admin/action_log.rb
+++ b/app/models/admin/action_log.rb
@@ -9,38 +9,42 @@
# action :string default(""), not null
# target_type :string
# target_id :bigint(8)
-# recorded_changes :text default(""), not null
# created_at :datetime not null
# updated_at :datetime not null
+# human_identifier :string
+# route_param :string
+# permalink :string
#
class Admin::ActionLog < ApplicationRecord
- serialize :recorded_changes
+ self.ignored_columns = %w(
+ recorded_changes
+ )
belongs_to :account
belongs_to :target, polymorphic: true, optional: true
default_scope -> { order('id desc') }
+ before_validation :set_human_identifier
+ before_validation :set_route_param
+ before_validation :set_permalink
+
def action
super.to_sym
end
- before_validation :set_changes
-
private
- def set_changes
- case action
- when :destroy, :create
- self.recorded_changes = target.attributes
- when :update, :promote, :demote
- self.recorded_changes = target.previous_changes
- when :change_email
- self.recorded_changes = ActiveSupport::HashWithIndifferentAccess.new(
- email: [target.email, nil],
- unconfirmed_email: [nil, target.unconfirmed_email]
- )
- end
+ def set_human_identifier
+ self.human_identifier = target.to_log_human_identifier if target.respond_to?(:to_log_human_identifier)
+ end
+
+ def set_route_param
+ self.route_param = target.to_log_route_param if target.respond_to?(:to_log_route_param)
+ end
+
+ def set_permalink
+ self.permalink = target.to_log_permalink if target.respond_to?(:to_log_permalink)
end
end
diff --git a/app/models/admin/action_log_filter.rb b/app/models/admin/action_log_filter.rb
index 0f2f712a2..c7a7e1a4c 100644
--- a/app/models/admin/action_log_filter.rb
+++ b/app/models/admin/action_log_filter.rb
@@ -12,6 +12,7 @@ class Admin::ActionLogFilter
reject_appeal: { target_type: 'Appeal', action: 'reject' }.freeze,
assigned_to_self_report: { target_type: 'Report', action: 'assigned_to_self' }.freeze,
change_email_user: { target_type: 'User', action: 'change_email' }.freeze,
+ change_role_user: { target_type: 'User', action: 'change_role' }.freeze,
confirm_user: { target_type: 'User', action: 'confirm' }.freeze,
approve_user: { target_type: 'User', action: 'approve' }.freeze,
reject_user: { target_type: 'User', action: 'reject' }.freeze,
@@ -21,16 +22,22 @@ class Admin::ActionLogFilter
create_domain_allow: { target_type: 'DomainAllow', action: 'create' }.freeze,
create_domain_block: { target_type: 'DomainBlock', action: 'create' }.freeze,
create_email_domain_block: { target_type: 'EmailDomainBlock', action: 'create' }.freeze,
+ create_ip_block: { target_type: 'IpBlock', action: 'create' }.freeze,
create_unavailable_domain: { target_type: 'UnavailableDomain', action: 'create' }.freeze,
+ create_user_role: { target_type: 'UserRole', action: 'create' }.freeze,
+ create_canonical_email_block: { target_type: 'CanonicalEmailBlock', action: 'create' }.freeze,
demote_user: { target_type: 'User', action: 'demote' }.freeze,
destroy_announcement: { target_type: 'Announcement', action: 'destroy' }.freeze,
destroy_custom_emoji: { target_type: 'CustomEmoji', action: 'destroy' }.freeze,
destroy_domain_allow: { target_type: 'DomainAllow', action: 'destroy' }.freeze,
destroy_domain_block: { target_type: 'DomainBlock', action: 'destroy' }.freeze,
+ destroy_ip_block: { target_type: 'IpBlock', action: 'destroy' }.freeze,
destroy_email_domain_block: { target_type: 'EmailDomainBlock', action: 'destroy' }.freeze,
destroy_instance: { target_type: 'Instance', action: 'destroy' }.freeze,
destroy_unavailable_domain: { target_type: 'UnavailableDomain', action: 'destroy' }.freeze,
destroy_status: { target_type: 'Status', action: 'destroy' }.freeze,
+ destroy_user_role: { target_type: 'UserRole', action: 'destroy' }.freeze,
+ destroy_canonical_email_block: { target_type: 'CanonicalEmailBlock', action: 'destroy' }.freeze,
disable_2fa_user: { target_type: 'User', action: 'disable' }.freeze,
disable_custom_emoji: { target_type: 'CustomEmoji', action: 'disable' }.freeze,
disable_user: { target_type: 'User', action: 'disable' }.freeze,
@@ -52,6 +59,8 @@ class Admin::ActionLogFilter
update_announcement: { target_type: 'Announcement', action: 'update' }.freeze,
update_custom_emoji: { target_type: 'CustomEmoji', action: 'update' }.freeze,
update_status: { target_type: 'Status', action: 'update' }.freeze,
+ update_user_role: { target_type: 'UserRole', action: 'update' }.freeze,
+ update_ip_block: { target_type: 'IpBlock', action: 'update' }.freeze,
unblock_email_account: { target_type: 'Account', action: 'unblock_email' }.freeze,
}.freeze
diff --git a/app/models/announcement.rb b/app/models/announcement.rb
index f8183aabc..bedced9de 100644
--- a/app/models/announcement.rb
+++ b/app/models/announcement.rb
@@ -34,6 +34,10 @@ class Announcement < ApplicationRecord
before_validation :set_all_day
before_validation :set_published, on: :create
+ def to_log_human_identifier
+ text
+ end
+
def publish!
update!(published: true, published_at: Time.now.utc, scheduled_at: nil)
end
diff --git a/app/models/appeal.rb b/app/models/appeal.rb
index 1f32cfa8b..6fbf60b39 100644
--- a/app/models/appeal.rb
+++ b/app/models/appeal.rb
@@ -52,6 +52,14 @@ class Appeal < ApplicationRecord
update!(rejected_at: Time.now.utc, rejected_by_account: current_account)
end
+ def to_log_human_identifier
+ account.acct
+ end
+
+ def to_log_route_param
+ account_warning_id
+ end
+
private
def validate_time_frame
diff --git a/app/models/canonical_email_block.rb b/app/models/canonical_email_block.rb
index 94781386c..1eb69ac67 100644
--- a/app/models/canonical_email_block.rb
+++ b/app/models/canonical_email_block.rb
@@ -5,27 +5,30 @@
#
# id :bigint(8) not null, primary key
# canonical_email_hash :string default(""), not null
-# reference_account_id :bigint(8) not null
+# reference_account_id :bigint(8)
# created_at :datetime not null
# updated_at :datetime not null
#
class CanonicalEmailBlock < ApplicationRecord
include EmailHelper
+ include Paginable
- belongs_to :reference_account, class_name: 'Account'
+ belongs_to :reference_account, class_name: 'Account', optional: true
validates :canonical_email_hash, presence: true, uniqueness: true
+ scope :matching_email, ->(email) { where(canonical_email_hash: email_to_canonical_email_hash(email)) }
+
+ def to_log_human_identifier
+ canonical_email_hash
+ end
+
def email=(email)
self.canonical_email_hash = email_to_canonical_email_hash(email)
end
def self.block?(email)
- where(canonical_email_hash: email_to_canonical_email_hash(email)).exists?
- end
-
- def self.find_blocks(email)
- where(canonical_email_hash: email_to_canonical_email_hash(email))
+ matching_email(email).exists?
end
end
diff --git a/app/models/concerns/account_interactions.rb b/app/models/concerns/account_interactions.rb
index a7401362f..15c49f2fe 100644
--- a/app/models/concerns/account_interactions.rb
+++ b/app/models/concerns/account_interactions.rb
@@ -9,6 +9,7 @@ module AccountInteractions
mapping[follow.target_account_id] = {
reblogs: follow.show_reblogs?,
notify: follow.notify?,
+ languages: follow.languages,
}
end
end
@@ -38,6 +39,7 @@ module AccountInteractions
mapping[follow_request.target_account_id] = {
reblogs: follow_request.show_reblogs?,
notify: follow_request.notify?,
+ languages: follow_request.languages,
}
end
end
@@ -100,12 +102,13 @@ module AccountInteractions
has_many :announcement_mutes, dependent: :destroy
end
- def follow!(other_account, reblogs: nil, notify: nil, uri: nil, rate_limit: false, bypass_limit: false)
- rel = active_relationships.create_with(show_reblogs: reblogs.nil? ? true : reblogs, notify: notify.nil? ? false : notify, uri: uri, rate_limit: rate_limit, bypass_follow_limit: bypass_limit)
+ def follow!(other_account, reblogs: nil, notify: nil, languages: nil, uri: nil, rate_limit: false, bypass_limit: false)
+ rel = active_relationships.create_with(show_reblogs: reblogs.nil? ? true : reblogs, notify: notify.nil? ? false : notify, languages: languages, uri: uri, rate_limit: rate_limit, bypass_follow_limit: bypass_limit)
.find_or_create_by!(target_account: other_account)
- rel.show_reblogs = reblogs unless reblogs.nil?
- rel.notify = notify unless notify.nil?
+ rel.show_reblogs = reblogs unless reblogs.nil?
+ rel.notify = notify unless notify.nil?
+ rel.languages = languages unless languages.nil?
rel.save! if rel.changed?
@@ -114,12 +117,13 @@ module AccountInteractions
rel
end
- def request_follow!(other_account, reblogs: nil, notify: nil, uri: nil, rate_limit: false, bypass_limit: false)
- rel = follow_requests.create_with(show_reblogs: reblogs.nil? ? true : reblogs, notify: notify.nil? ? false : notify, uri: uri, rate_limit: rate_limit, bypass_follow_limit: bypass_limit)
+ def request_follow!(other_account, reblogs: nil, notify: nil, languages: nil, uri: nil, rate_limit: false, bypass_limit: false)
+ rel = follow_requests.create_with(show_reblogs: reblogs.nil? ? true : reblogs, notify: notify.nil? ? false : notify, uri: uri, languages: languages, rate_limit: rate_limit, bypass_follow_limit: bypass_limit)
.find_or_create_by!(target_account: other_account)
- rel.show_reblogs = reblogs unless reblogs.nil?
- rel.notify = notify unless notify.nil?
+ rel.show_reblogs = reblogs unless reblogs.nil?
+ rel.notify = notify unless notify.nil?
+ rel.languages = languages unless languages.nil?
rel.save! if rel.changed?
@@ -249,15 +253,7 @@ module AccountInteractions
def status_matches_filters(status)
active_filters = CustomFilter.cached_filters_for(id)
-
- filter_matches = active_filters.filter_map do |filter, rules|
- next if rules[:keywords].blank?
-
- match = rules[:keywords].match(status.proper.searchable_text)
- FilterResultPresenter.new(filter: filter, keyword_matches: [match.to_s]) unless match.nil?
- end
-
- filter_matches
+ CustomFilter.apply_cached_filters(active_filters, status)
end
def followers_for_local_distribution
@@ -296,8 +292,7 @@ module AccountInteractions
private
- def remove_potential_friendship(other_account, mutual = false)
+ def remove_potential_friendship(other_account)
PotentialFriendshipTracker.remove(id, other_account.id)
- PotentialFriendshipTracker.remove(other_account.id, id) if mutual
end
end
diff --git a/app/models/content_retention_policy.rb b/app/models/content_retention_policy.rb
new file mode 100644
index 000000000..b5e922c8c
--- /dev/null
+++ b/app/models/content_retention_policy.rb
@@ -0,0 +1,25 @@
+# frozen_string_literal: true
+
+class ContentRetentionPolicy
+ def self.current
+ new
+ end
+
+ def media_cache_retention_period
+ retention_period Setting.media_cache_retention_period
+ end
+
+ def content_cache_retention_period
+ retention_period Setting.content_cache_retention_period
+ end
+
+ def backups_retention_period
+ retention_period Setting.backups_retention_period
+ end
+
+ private
+
+ def retention_period(value)
+ value.days if value.is_a?(Integer) && value.positive?
+ end
+end
diff --git a/app/models/custom_emoji.rb b/app/models/custom_emoji.rb
index 23a97e8fb..3eaea3903 100644
--- a/app/models/custom_emoji.rb
+++ b/app/models/custom_emoji.rb
@@ -49,7 +49,7 @@ class CustomEmoji < ApplicationRecord
scope :local, -> { where(domain: nil) }
scope :remote, -> { where.not(domain: nil) }
scope :alphabetic, -> { order(domain: :asc, shortcode: :asc) }
- scope :by_domain_and_subdomains, ->(domain) { where(domain: domain).or(where(arel_table[:domain].matches('%.' + domain))) }
+ scope :by_domain_and_subdomains, ->(domain) { where(domain: domain).or(where(arel_table[:domain].matches("%.#{domain}"))) }
scope :enabled, -> { local.where(disabled: false) }
scope :listed, -> { enabled.where(visible_in_picker: true) }
@@ -71,6 +71,10 @@ class CustomEmoji < ApplicationRecord
copy.tap(&:save!)
end
+ def to_log_human_identifier
+ shortcode
+ end
+
class << self
def from_text(text, domain = nil)
return [] if text.blank?
diff --git a/app/models/custom_filter.rb b/app/models/custom_filter.rb
index 985eab125..da2a91493 100644
--- a/app/models/custom_filter.rb
+++ b/app/models/custom_filter.rb
@@ -34,6 +34,7 @@ class CustomFilter < ApplicationRecord
belongs_to :account
has_many :keywords, class_name: 'CustomFilterKeyword', foreign_key: :custom_filter_id, inverse_of: :custom_filter, dependent: :destroy
+ has_many :statuses, class_name: 'CustomFilterStatus', foreign_key: :custom_filter_id, inverse_of: :custom_filter, dependent: :destroy
accepts_nested_attributes_for :keywords, reject_if: :all_blank, allow_destroy: true
validates :title, :context, presence: true
@@ -62,8 +63,10 @@ class CustomFilter < ApplicationRecord
def self.cached_filters_for(account_id)
active_filters = Rails.cache.fetch("filters:v3:#{account_id}") do
+ filters_hash = {}
+
scope = CustomFilterKeyword.includes(:custom_filter).where(custom_filter: { account_id: account_id }).where(Arel.sql('expires_at IS NULL OR expires_at > NOW()'))
- scope.to_a.group_by(&:custom_filter).map do |filter, keywords|
+ scope.to_a.group_by(&:custom_filter).each do |filter, keywords|
keywords.map! do |keyword|
if keyword.whole_word
sb = /\A[[:word:]]/.match?(keyword.keyword) ? '\b' : ''
@@ -74,13 +77,34 @@ class CustomFilter < ApplicationRecord
/#{Regexp.escape(keyword.keyword)}/i
end
end
- [filter, { keywords: Regexp.union(keywords) }]
+
+ filters_hash[filter.id] = { keywords: Regexp.union(keywords), filter: filter }
+ end.to_h
+
+ scope = CustomFilterStatus.includes(:custom_filter).where(custom_filter: { account_id: account_id }).where(Arel.sql('expires_at IS NULL OR expires_at > NOW()'))
+ scope.to_a.group_by(&:custom_filter).each do |filter, statuses|
+ filters_hash[filter.id] ||= { filter: filter }
+ filters_hash[filter.id].merge!(status_ids: statuses.map(&:status_id))
end
+
+ filters_hash.values.map { |cache| [cache.delete(:filter), cache] }
end.to_a
active_filters.select { |custom_filter, _| !custom_filter.expired? }
end
+ def self.apply_cached_filters(cached_filters, status)
+ cached_filters.filter_map do |filter, rules|
+ match = rules[:keywords].match(status.proper.searchable_text) if rules[:keywords].present?
+ keyword_matches = [match.to_s] unless match.nil?
+
+ status_matches = [status.id, status.reblog_of_id].compact & rules[:status_ids] if rules[:status_ids].present?
+
+ next if keyword_matches.blank? && status_matches.blank?
+ FilterResultPresenter.new(filter: filter, keyword_matches: keyword_matches, status_matches: status_matches)
+ end
+ end
+
def prepare_cache_invalidation!
@should_invalidate_cache = true
end
diff --git a/app/models/custom_filter_status.rb b/app/models/custom_filter_status.rb
new file mode 100644
index 000000000..e748d6963
--- /dev/null
+++ b/app/models/custom_filter_status.rb
@@ -0,0 +1,37 @@
+# frozen_string_literal: true
+# == Schema Information
+#
+# Table name: custom_filter_statuses
+#
+# id :bigint(8) not null, primary key
+# custom_filter_id :bigint(8) not null
+# status_id :bigint(8) not null
+# created_at :datetime not null
+# updated_at :datetime not null
+#
+
+class CustomFilterStatus < ApplicationRecord
+ belongs_to :custom_filter
+ belongs_to :status
+
+ validates :status, uniqueness: { scope: :custom_filter }
+ validate :validate_status_access
+
+ before_save :prepare_cache_invalidation!
+ before_destroy :prepare_cache_invalidation!
+ after_commit :invalidate_cache!
+
+ private
+
+ def validate_status_access
+ errors.add(:status_id, :invalid) unless StatusPolicy.new(custom_filter.account, status).show?
+ end
+
+ def prepare_cache_invalidation!
+ custom_filter.prepare_cache_invalidation!
+ end
+
+ def invalidate_cache!
+ custom_filter.invalidate_cache!
+ end
+end
diff --git a/app/models/domain_allow.rb b/app/models/domain_allow.rb
index 7a0acbe32..9e746b915 100644
--- a/app/models/domain_allow.rb
+++ b/app/models/domain_allow.rb
@@ -19,6 +19,10 @@ class DomainAllow < ApplicationRecord
scope :matches_domain, ->(value) { where(arel_table[:domain].matches("%#{value}%")) }
+ def to_log_human_identifier
+ domain
+ end
+
class << self
def allowed?(domain)
!rule_for(domain).nil?
diff --git a/app/models/domain_block.rb b/app/models/domain_block.rb
index a15206b5e..b08687787 100644
--- a/app/models/domain_block.rb
+++ b/app/models/domain_block.rb
@@ -31,6 +31,10 @@ class DomainBlock < ApplicationRecord
scope :with_user_facing_limitations, -> { where(severity: [:silence, :suspend]).or(where(reject_media: true)) }
scope :by_severity, -> { order(Arel.sql('(CASE severity WHEN 0 THEN 1 WHEN 1 THEN 2 WHEN 2 THEN 0 END), reject_media, domain')) }
+ def to_log_human_identifier
+ domain
+ end
+
def policies
if suspend?
[:suspend]
diff --git a/app/models/email_domain_block.rb b/app/models/email_domain_block.rb
index 0e1e663c1..10a0e5102 100644
--- a/app/models/email_domain_block.rb
+++ b/app/models/email_domain_block.rb
@@ -17,6 +17,7 @@ class EmailDomainBlock < ApplicationRecord
)
include DomainNormalizable
+ include Paginable
belongs_to :parent, class_name: 'EmailDomainBlock', optional: true
has_many :children, class_name: 'EmailDomainBlock', foreign_key: :parent_id, inverse_of: :parent, dependent: :destroy
@@ -26,36 +27,64 @@ class EmailDomainBlock < ApplicationRecord
# Used for adding multiple blocks at once
attr_accessor :other_domains
+ def to_log_human_identifier
+ domain
+ end
+
def history
@history ||= Trends::History.new('email_domain_blocks', id)
end
- def self.block?(domain_or_domains, attempt_ip: nil)
- domains = Array(domain_or_domains).map do |str|
- domain = begin
- if str.include?('@')
- str.split('@', 2).last
- else
- str
- end
+ class Matcher
+ def initialize(domain_or_domains, attempt_ip: nil)
+ @uris = extract_uris(domain_or_domains)
+ @attempt_ip = attempt_ip
+ end
+
+ def match?
+ blocking? || invalid_uri?
+ end
+
+ private
+
+ def invalid_uri?
+ @uris.any?(&:nil?)
+ end
+
+ def blocking?
+ blocks = EmailDomainBlock.where(domain: domains_with_variants).order(Arel.sql('char_length(domain) desc'))
+ blocks.each { |block| block.history.add(@attempt_ip) } if @attempt_ip.present?
+ blocks.any?
+ end
+
+ def domains_with_variants
+ @uris.flat_map do |uri|
+ next if uri.nil?
+
+ segments = uri.normalized_host.split('.')
+
+ segments.map.with_index { |_, i| segments[i..-1].join('.') }
end
-
- TagManager.instance.normalize_domain(domain) if domain.present?
- rescue Addressable::URI::InvalidURIError
- nil
end
- # If some of the inputs passed in are invalid, we definitely want to
- # block the attempt, but we also want to register hits against any
- # other valid matches
+ def extract_uris(domain_or_domains)
+ Array(domain_or_domains).map do |str|
+ domain = begin
+ if str.include?('@')
+ str.split('@', 2).last
+ else
+ str
+ end
+ end
- blocked = domains.any?(&:nil?)
-
- where(domain: domains).find_each do |block|
- blocked = true
- block.history.add(attempt_ip) if attempt_ip.present?
+ Addressable::URI.new.tap { |u| u.host = domain.strip } if domain.present?
+ rescue Addressable::URI::InvalidURIError, IDN::Idna::IdnaError
+ nil
+ end
end
+ end
- blocked
+ def self.block?(domain_or_domains, attempt_ip: nil)
+ Matcher.new(domain_or_domains, attempt_ip: attempt_ip).match?
end
end
diff --git a/app/models/export.rb b/app/models/export.rb
index 5216eed5e..2457dcc15 100644
--- a/app/models/export.rb
+++ b/app/models/export.rb
@@ -30,9 +30,9 @@ class Export
end
def to_following_accounts_csv
- CSV.generate(headers: ['Account address', 'Show boosts'], write_headers: true) do |csv|
+ CSV.generate(headers: ['Account address', 'Show boosts', 'Notify on new posts', 'Languages'], write_headers: true) do |csv|
account.active_relationships.includes(:target_account).reorder(id: :desc).each do |follow|
- csv << [acct(follow.target_account), follow.show_reblogs]
+ csv << [acct(follow.target_account), follow.show_reblogs, follow.notify, follow.languages&.join(', ')]
end
end
end
diff --git a/app/models/follow.rb b/app/models/follow.rb
index a5e3fe809..e5cecbbc1 100644
--- a/app/models/follow.rb
+++ b/app/models/follow.rb
@@ -11,6 +11,7 @@
# show_reblogs :boolean default(TRUE), not null
# uri :string
# notify :boolean default(FALSE), not null
+# languages :string is an Array
#
class Follow < ApplicationRecord
@@ -27,6 +28,7 @@ class Follow < ApplicationRecord
has_one :notification, as: :activity, dependent: :destroy
validates :account_id, uniqueness: { scope: :target_account_id }
+ validates :languages, language: true
scope :recent, -> { reorder(id: :desc) }
@@ -35,7 +37,7 @@ class Follow < ApplicationRecord
end
def revoke_request!
- FollowRequest.create!(account: account, target_account: target_account, show_reblogs: show_reblogs, notify: notify, uri: uri)
+ FollowRequest.create!(account: account, target_account: target_account, show_reblogs: show_reblogs, notify: notify, languages: languages, uri: uri)
destroy!
end
diff --git a/app/models/follow_request.rb b/app/models/follow_request.rb
index 0b6f7629a..9034250c0 100644
--- a/app/models/follow_request.rb
+++ b/app/models/follow_request.rb
@@ -11,6 +11,7 @@
# show_reblogs :boolean default(TRUE), not null
# uri :string
# notify :boolean default(FALSE), not null
+# languages :string is an Array
#
class FollowRequest < ApplicationRecord
@@ -27,9 +28,10 @@ class FollowRequest < ApplicationRecord
has_one :notification, as: :activity, dependent: :destroy
validates :account_id, uniqueness: { scope: :target_account_id }
+ validates :languages, language: true
def authorize!
- account.follow!(target_account, reblogs: show_reblogs, notify: notify, uri: uri, bypass_limit: true)
+ account.follow!(target_account, reblogs: show_reblogs, notify: notify, languages: languages, uri: uri, bypass_limit: true)
MergeWorker.perform_async(target_account.id, account.id) if account.local?
destroy!
end
diff --git a/app/models/form/account_batch.rb b/app/models/form/account_batch.rb
index dcf155840..5cfcf7205 100644
--- a/app/models/form/account_batch.rb
+++ b/app/models/form/account_batch.rb
@@ -6,7 +6,8 @@ class Form::AccountBatch
include AccountableConcern
include Payloadable
- attr_accessor :account_ids, :action, :current_account
+ attr_accessor :account_ids, :action, :current_account,
+ :select_all_matching, :query
def save
case action
@@ -60,7 +61,11 @@ class Form::AccountBatch
end
def accounts
- Account.where(id: account_ids)
+ if select_all_matching?
+ query
+ else
+ Account.where(id: account_ids)
+ end
end
def approve!
@@ -101,7 +106,7 @@ class Form::AccountBatch
def reject_account(account)
authorize(account.user, :reject?)
- log_action(:reject, account.user, username: account.username)
+ log_action(:reject, account.user)
account.suspend!(origin: :local)
AccountDeletionWorker.perform_async(account.id, { 'reserve_username' => false })
end
@@ -118,4 +123,8 @@ class Form::AccountBatch
log_action(:approve, account.user)
account.user.approve!
end
+
+ def select_all_matching?
+ select_all_matching == '1'
+ end
end
diff --git a/app/models/form/admin_settings.rb b/app/models/form/admin_settings.rb
index 4c100ba6b..68c98d43f 100644
--- a/app/models/form/admin_settings.rb
+++ b/app/models/form/admin_settings.rb
@@ -40,6 +40,9 @@ class Form::AdminSettings
outgoing_spoilers
require_invite_text
captcha_enabled
+ media_cache_retention_period
+ content_cache_retention_period
+ backups_retention_period
).freeze
BOOLEAN_KEYS = %i(
@@ -81,6 +84,7 @@ class Form::AdminSettings
validates :bootstrap_timeline_accounts, existing_username: { multiple: true }
validates :show_domain_blocks, inclusion: { in: %w(disabled users all) }
validates :show_domain_blocks_rationale, inclusion: { in: %w(disabled users all) }
+ validates :media_cache_retention_period, :content_cache_retention_period, :backups_retention_period, numericality: { only_integer: true }, allow_blank: true
def initialize(_attributes = {})
super
diff --git a/app/models/form/status_filter_batch_action.rb b/app/models/form/status_filter_batch_action.rb
new file mode 100644
index 000000000..d87bd5cc4
--- /dev/null
+++ b/app/models/form/status_filter_batch_action.rb
@@ -0,0 +1,34 @@
+# frozen_string_literal: true
+
+class Form::StatusFilterBatchAction
+ include ActiveModel::Model
+ include AccountableConcern
+ include Authorization
+
+ attr_accessor :current_account, :type,
+ :status_filter_ids, :filter_id
+
+ def save!
+ process_action!
+ end
+
+ private
+
+ def status_filters
+ filter = current_account.custom_filters.find(filter_id)
+ filter.statuses.where(id: status_filter_ids)
+ end
+
+ def process_action!
+ return if status_filter_ids.empty?
+
+ case type
+ when 'remove'
+ handle_remove!
+ end
+ end
+
+ def handle_remove!
+ status_filters.destroy_all
+ end
+end
diff --git a/app/models/instance.rb b/app/models/instance.rb
index 36110ee40..edbf02a6d 100644
--- a/app/models/instance.rb
+++ b/app/models/instance.rb
@@ -48,6 +48,8 @@ class Instance < ApplicationRecord
domain
end
+ alias to_log_human_identifier to_param
+
delegate :exhausted_deliveries_days, to: :delivery_failure_tracker
def availability_over_days(num_days, end_date = Time.now.utc.to_date)
diff --git a/app/models/ip_block.rb b/app/models/ip_block.rb
index aedd3ca0d..8666f4248 100644
--- a/app/models/ip_block.rb
+++ b/app/models/ip_block.rb
@@ -16,9 +16,11 @@ class IpBlock < ApplicationRecord
CACHE_KEY = 'blocked_ips'
include Expireable
+ include Paginable
enum severity: {
sign_up_requires_approval: 5000,
+ sign_up_block: 5500,
no_access: 9999,
}
@@ -26,6 +28,10 @@ class IpBlock < ApplicationRecord
after_commit :reset_cache
+ def to_log_human_identifier
+ "#{ip}/#{ip.prefix}"
+ end
+
class << self
def blocked?(remote_ip)
blocked_ips_map = Rails.cache.fetch(CACHE_KEY) { FastIpMap.new(IpBlock.where(severity: :no_access).pluck(:ip)) }
diff --git a/app/models/report.rb b/app/models/report.rb
index 2efb6d4a7..42c869dd4 100644
--- a/app/models/report.rb
+++ b/app/models/report.rb
@@ -115,6 +115,10 @@ class Report < ApplicationRecord
Report.where.not(id: id).where(target_account_id: target_account_id).unresolved.exists?
end
+ def to_log_human_identifier
+ id
+ end
+
def history
subquery = [
Admin::ActionLog.where(
@@ -136,6 +140,8 @@ class Report < ApplicationRecord
Admin::ActionLog.from(Arel::Nodes::As.new(subquery, Admin::ActionLog.arel_table))
end
+ private
+
def set_uri
self.uri = ActivityPub::TagManager.instance.generate_uri_for(self) if uri.nil? && account.local?
end
diff --git a/app/models/status.rb b/app/models/status.rb
index 3efa23ae2..c1e8862ca 100644
--- a/app/models/status.rb
+++ b/app/models/status.rb
@@ -171,6 +171,14 @@ class Status < ApplicationRecord
].compact.join("\n\n")
end
+ def to_log_human_identifier
+ account.acct
+ end
+
+ def to_log_permalink
+ ActivityPub::TagManager.instance.uri_for(self)
+ end
+
def reply?
!in_reply_to_id.nil? || attributes['reply']
end
diff --git a/app/models/unavailable_domain.rb b/app/models/unavailable_domain.rb
index 5e8870bde..dfc0ef14e 100644
--- a/app/models/unavailable_domain.rb
+++ b/app/models/unavailable_domain.rb
@@ -16,6 +16,10 @@ class UnavailableDomain < ApplicationRecord
after_commit :reset_cache!
+ def to_log_human_identifier
+ domain
+ end
+
private
def reset_cache!
diff --git a/app/models/user.rb b/app/models/user.rb
index ffad4ae5a..de59fe4b3 100644
--- a/app/models/user.rb
+++ b/app/models/user.rb
@@ -94,7 +94,7 @@ class User < ApplicationRecord
validates :invite_request, presence: true, on: :create, if: :invite_text_required?
validates :locale, inclusion: I18n.available_locales.map(&:to_s), if: :locale?
- validates_with BlacklistedEmailValidator, if: -> { !confirmed? }
+ validates_with BlacklistedEmailValidator, if: -> { ENV['EMAIL_DOMAIN_LISTS_APPLY_AFTER_CONFIRMATION'] == 'true' || !confirmed? }
validates_with EmailMxValidator, if: :validate_email_dns?
validates :agreement, acceptance: { allow_nil: false, accept: [true, 'true', '1'] }, on: :create
@@ -181,6 +181,14 @@ class User < ApplicationRecord
update!(disabled: false)
end
+ def to_log_human_identifier
+ account.acct
+ end
+
+ def to_log_route_param
+ account_id
+ end
+
def confirm
new_user = !confirmed?
self.approved = true if open_registrations? && !sign_up_from_ip_requires_approval?
@@ -274,17 +282,13 @@ class User < ApplicationRecord
end
def preferred_posting_language
- valid_locale_cascade(settings.default_language, locale)
+ valid_locale_cascade(settings.default_language, locale, I18n.locale)
end
def setting_default_privacy
settings.default_privacy || (account.locked? ? 'private' : 'public')
end
- def allows_digest_emails?
- settings.notification_emails['digest']
- end
-
def allows_report_emails?
settings.notification_emails['report']
end
diff --git a/app/models/user_role.rb b/app/models/user_role.rb
index 91eb69e09..30f421801 100644
--- a/app/models/user_role.rb
+++ b/app/models/user_role.rb
@@ -154,6 +154,10 @@ class UserRole < ApplicationRecord
end
end
+ def to_log_human_identifier
+ name
+ end
+
private
def in_permissions?(privilege)
diff --git a/app/policies/canonical_email_block_policy.rb b/app/policies/canonical_email_block_policy.rb
new file mode 100644
index 000000000..8d76075c9
--- /dev/null
+++ b/app/policies/canonical_email_block_policy.rb
@@ -0,0 +1,23 @@
+# frozen_string_literal: true
+
+class CanonicalEmailBlockPolicy < ApplicationPolicy
+ def index?
+ role.can?(:manage_blocks)
+ end
+
+ def show?
+ role.can?(:manage_blocks)
+ end
+
+ def test?
+ role.can?(:manage_blocks)
+ end
+
+ def create?
+ role.can?(:manage_blocks)
+ end
+
+ def destroy?
+ role.can?(:manage_blocks)
+ end
+end
diff --git a/app/policies/ip_block_policy.rb b/app/policies/ip_block_policy.rb
index 1abc97ad8..2986a4fdb 100644
--- a/app/policies/ip_block_policy.rb
+++ b/app/policies/ip_block_policy.rb
@@ -9,6 +9,10 @@ class IpBlockPolicy < ApplicationPolicy
role.can?(:manage_blocks)
end
+ def update?
+ role.can?(:manage_blocks)
+ end
+
def destroy?
role.can?(:manage_blocks)
end
diff --git a/app/presenters/filter_result_presenter.rb b/app/presenters/filter_result_presenter.rb
index 677225f5e..1e9e8f3c1 100644
--- a/app/presenters/filter_result_presenter.rb
+++ b/app/presenters/filter_result_presenter.rb
@@ -1,5 +1,5 @@
# frozen_string_literal: true
class FilterResultPresenter < ActiveModelSerializers::Model
- attributes :filter, :keyword_matches
+ attributes :filter, :keyword_matches, :status_matches
end
diff --git a/app/presenters/instance_presenter.rb b/app/presenters/instance_presenter.rb
index 3e85faa92..c461ac55f 100644
--- a/app/presenters/instance_presenter.rb
+++ b/app/presenters/instance_presenter.rb
@@ -1,19 +1,51 @@
# frozen_string_literal: true
-class InstancePresenter
- delegate(
- :site_contact_email,
- :site_title,
- :site_short_description,
- :site_description,
- :site_extended_description,
- :site_terms,
- :closed_registrations_message,
- to: Setting
- )
+class InstancePresenter < ActiveModelSerializers::Model
+ attributes :domain, :title, :version, :source_url,
+ :description, :languages, :rules, :contact
- def contact_account
- Account.find_local(Setting.site_contact_username.strip.gsub(/\A@/, ''))
+ class ContactPresenter < ActiveModelSerializers::Model
+ attributes :email, :account
+
+ def email
+ Setting.site_contact_email
+ end
+
+ def account
+ Account.find_local(Setting.site_contact_username.strip.gsub(/\A@/, ''))
+ end
+ end
+
+ def contact
+ ContactPresenter.new
+ end
+
+ def closed_registrations_message
+ Setting.closed_registrations_message
+ end
+
+ def description
+ Setting.site_short_description
+ end
+
+ def extended_description
+ Setting.site_extended_description
+ end
+
+ def privacy_policy
+ Setting.site_terms
+ end
+
+ def domain
+ Rails.configuration.x.local_domain
+ end
+
+ def title
+ Setting.site_title
+ end
+
+ def languages
+ [I18n.default_locale]
end
def rules
@@ -40,8 +72,8 @@ class InstancePresenter
Rails.cache.fetch('sample_accounts', expires_in: 12.hours) { Account.local.discoverable.popular.limit(3) }
end
- def version_number
- Mastodon::Version
+ def version
+ Mastodon::Version.to_s
end
def source_url
diff --git a/app/presenters/status_relationships_presenter.rb b/app/presenters/status_relationships_presenter.rb
index d7ffb1954..be818a2de 100644
--- a/app/presenters/status_relationships_presenter.rb
+++ b/app/presenters/status_relationships_presenter.rb
@@ -33,12 +33,7 @@ class StatusRelationshipsPresenter
active_filters = CustomFilter.cached_filters_for(current_account_id)
@filters_map = statuses.each_with_object({}) do |status, h|
- filter_matches = active_filters.filter_map do |filter, rules|
- next if rules[:keywords].blank?
-
- match = rules[:keywords].match(status.proper.searchable_text)
- FilterResultPresenter.new(filter: filter, keyword_matches: [match.to_s]) unless match.nil?
- end
+ filter_matches = CustomFilter.apply_cached_filters(active_filters, status)
unless filter_matches.empty?
h[status.id] = filter_matches
diff --git a/app/serializers/activitypub/public_key_serializer.rb b/app/serializers/activitypub/public_key_serializer.rb
index 62ed49e81..8621517e7 100644
--- a/app/serializers/activitypub/public_key_serializer.rb
+++ b/app/serializers/activitypub/public_key_serializer.rb
@@ -6,7 +6,7 @@ class ActivityPub::PublicKeySerializer < ActivityPub::Serializer
attributes :id, :owner, :public_key_pem
def id
- [ActivityPub::TagManager.instance.uri_for(object), '#main-key'].join
+ ActivityPub::TagManager.instance.key_uri_for(object)
end
def owner
diff --git a/app/serializers/initial_state_serializer.rb b/app/serializers/initial_state_serializer.rb
index b555be633..aa36f82a1 100644
--- a/app/serializers/initial_state_serializer.rb
+++ b/app/serializers/initial_state_serializer.rb
@@ -1,6 +1,8 @@
# frozen_string_literal: true
class InitialStateSerializer < ActiveModel::Serializer
+ include RoutingHelper
+
attributes :meta, :compose, :accounts,
:media_attachments, :settings,
:max_toot_chars, :poll_limits,
@@ -22,22 +24,24 @@ class InitialStateSerializer < ActiveModel::Serializer
}
end
+ # rubocop:disable Metrics/AbcSize
def meta
store = {
streaming_api_base_url: Rails.configuration.x.streaming_api_base_url,
access_token: object.token,
locale: I18n.locale,
- domain: Rails.configuration.x.local_domain,
- title: instance_presenter.site_title,
+ domain: instance_presenter.domain,
+ title: instance_presenter.title,
admin: object.admin&.id&.to_s,
search_enabled: Chewy.enabled?,
repository: Mastodon::Version.repository,
- source_url: Mastodon::Version.source_url,
- version: Mastodon::Version.to_s,
+ source_url: instance_presenter.source_url,
+ version: instance_presenter.version,
limited_federation_mode: Rails.configuration.x.whitelist_mode,
mascot: instance_presenter.mascot&.file&.url,
profile_directory: Setting.profile_directory,
trends: Setting.trends,
+ registrations_open: Setting.registrations_mode != 'none' && !Rails.configuration.x.single_user_mode,
}
if object.current_account
@@ -68,6 +72,7 @@ class InitialStateSerializer < ActiveModel::Serializer
store
end
+ # rubocop:enable Metrics/AbcSize
def compose
store = {}
diff --git a/app/serializers/manifest_serializer.rb b/app/serializers/manifest_serializer.rb
index 9827323a8..6b5296480 100644
--- a/app/serializers/manifest_serializer.rb
+++ b/app/serializers/manifest_serializer.rb
@@ -22,11 +22,11 @@ class ManifestSerializer < ActiveModel::Serializer
:share_target, :shortcuts
def name
- object.site_title
+ object.title
end
def short_name
- object.site_title
+ object.title
end
def icons
diff --git a/app/serializers/rest/admin/account_serializer.rb b/app/serializers/rest/admin/account_serializer.rb
index 3480e8c5a..2fbc7b1cb 100644
--- a/app/serializers/rest/admin/account_serializer.rb
+++ b/app/serializers/rest/admin/account_serializer.rb
@@ -77,6 +77,6 @@ class REST::Admin::AccountSerializer < ActiveModel::Serializer
end
def ip
- ips&.first
+ ips&.first&.ip
end
end
diff --git a/app/serializers/rest/admin/canonical_email_block_serializer.rb b/app/serializers/rest/admin/canonical_email_block_serializer.rb
new file mode 100644
index 000000000..fe385940a
--- /dev/null
+++ b/app/serializers/rest/admin/canonical_email_block_serializer.rb
@@ -0,0 +1,9 @@
+# frozen_string_literal: true
+
+class REST::Admin::CanonicalEmailBlockSerializer < ActiveModel::Serializer
+ attributes :id, :canonical_email_hash
+
+ def id
+ object.id.to_s
+ end
+end
diff --git a/app/serializers/rest/admin/email_domain_block_serializer.rb b/app/serializers/rest/admin/email_domain_block_serializer.rb
new file mode 100644
index 000000000..a026ff680
--- /dev/null
+++ b/app/serializers/rest/admin/email_domain_block_serializer.rb
@@ -0,0 +1,9 @@
+# frozen_string_literal: true
+
+class REST::Admin::EmailDomainBlockSerializer < ActiveModel::Serializer
+ attributes :id, :domain, :created_at, :history
+
+ def id
+ object.id.to_s
+ end
+end
diff --git a/app/serializers/rest/admin/ip_block_serializer.rb b/app/serializers/rest/admin/ip_block_serializer.rb
new file mode 100644
index 000000000..6a38f8b56
--- /dev/null
+++ b/app/serializers/rest/admin/ip_block_serializer.rb
@@ -0,0 +1,14 @@
+# frozen_string_literal: true
+
+class REST::Admin::IpBlockSerializer < ActiveModel::Serializer
+ attributes :id, :ip, :severity, :comment,
+ :created_at, :expires_at
+
+ def id
+ object.id.to_s
+ end
+
+ def ip
+ "#{object.ip}/#{object.ip.prefix}"
+ end
+end
diff --git a/app/serializers/rest/filter_result_serializer.rb b/app/serializers/rest/filter_result_serializer.rb
index 0ef4db79a..54ead2f1f 100644
--- a/app/serializers/rest/filter_result_serializer.rb
+++ b/app/serializers/rest/filter_result_serializer.rb
@@ -3,4 +3,9 @@
class REST::FilterResultSerializer < ActiveModel::Serializer
belongs_to :filter, serializer: REST::FilterSerializer
has_many :keyword_matches
+ has_many :status_matches
+
+ def status_matches
+ object.status_matches&.map(&:to_s)
+ end
end
diff --git a/app/serializers/rest/filter_serializer.rb b/app/serializers/rest/filter_serializer.rb
index 98d7edb17..8816dd807 100644
--- a/app/serializers/rest/filter_serializer.rb
+++ b/app/serializers/rest/filter_serializer.rb
@@ -3,6 +3,7 @@
class REST::FilterSerializer < ActiveModel::Serializer
attributes :id, :title, :context, :expires_at, :filter_action
has_many :keywords, serializer: REST::FilterKeywordSerializer, if: :rules_requested?
+ has_many :statuses, serializer: REST::FilterStatusSerializer, if: :rules_requested?
def id
object.id.to_s
diff --git a/app/serializers/rest/filter_status_serializer.rb b/app/serializers/rest/filter_status_serializer.rb
new file mode 100644
index 000000000..6bcbaa249
--- /dev/null
+++ b/app/serializers/rest/filter_status_serializer.rb
@@ -0,0 +1,13 @@
+# frozen_string_literal: true
+
+class REST::FilterStatusSerializer < ActiveModel::Serializer
+ attributes :id, :status_id
+
+ def id
+ object.id.to_s
+ end
+
+ def status_id
+ object.status_id.to_s
+ end
+end
diff --git a/app/serializers/rest/instance_serializer.rb b/app/serializers/rest/instance_serializer.rb
index 575c6214e..f4ea49427 100644
--- a/app/serializers/rest/instance_serializer.rb
+++ b/app/serializers/rest/instance_serializer.rb
@@ -1,74 +1,39 @@
# frozen_string_literal: true
class REST::InstanceSerializer < ActiveModel::Serializer
+ class ContactSerializer < ActiveModel::Serializer
+ attributes :email
+
+ has_one :account, serializer: REST::AccountSerializer
+ end
+
include RoutingHelper
- attributes :uri, :title, :short_description, :description, :email,
- :version, :urls, :stats, :thumbnail, :max_toot_chars, :poll_limits,
- :languages, :registrations, :approval_required, :invites_enabled,
- :configuration
-
- has_one :contact_account, serializer: REST::AccountSerializer
+ attributes :domain, :title, :version, :source_url, :description,
+ :usage, :thumbnail, :languages, :configuration,
+ :registrations
+ has_one :contact, serializer: ContactSerializer
has_many :rules, serializer: REST::RuleSerializer
- delegate :contact_account, :rules, to: :instance_presenter
-
- def uri
- Rails.configuration.x.local_domain
- end
-
- def title
- Setting.site_title
- end
-
- def short_description
- Setting.site_short_description
- end
-
- def description
- Setting.site_description
- end
-
- def email
- Setting.site_contact_email
- end
-
- def version
- Mastodon::Version.to_s
- end
-
def thumbnail
- instance_presenter.thumbnail ? full_asset_url(instance_presenter.thumbnail.file.url) : full_pack_url('media/images/preview.png')
+ object.thumbnail ? full_asset_url(object.thumbnail.file.url) : full_pack_url('media/images/preview.png')
end
- def max_toot_chars
- StatusLengthValidator::MAX_CHARS
- end
-
- def poll_limits
+ def usage
{
- max_options: PollValidator::MAX_OPTIONS,
- max_option_chars: PollValidator::MAX_OPTION_CHARS,
- min_expiration: PollValidator::MIN_EXPIRATION,
- max_expiration: PollValidator::MAX_EXPIRATION,
+ users: {
+ active_month: object.active_user_count(4),
+ },
}
end
- def stats
- {
- user_count: instance_presenter.user_count,
- status_count: instance_presenter.status_count,
- domain_count: instance_presenter.domain_count,
- }
- end
-
- def urls
- { streaming_api: Rails.configuration.x.streaming_api_base_url }
- end
-
def configuration
{
+ urls: {
+ streaming: Rails.configuration.x.streaming_api_base_url,
+ },
+
statuses: {
max_characters: StatusLengthValidator::MAX_CHARS,
max_media_attachments: 4,
@@ -93,25 +58,10 @@ class REST::InstanceSerializer < ActiveModel::Serializer
}
end
- def languages
- [I18n.default_locale]
- end
-
def registrations
- Setting.registrations_mode != 'none' && !Rails.configuration.x.single_user_mode
- end
-
- def approval_required
- Setting.registrations_mode == 'approved'
- end
-
- def invites_enabled
- UserRole.everyone.can?(:invite_users)
- end
-
- private
-
- def instance_presenter
- @instance_presenter ||= InstancePresenter.new
+ {
+ enabled: Setting.registrations_mode != 'none' && !Rails.configuration.x.single_user_mode,
+ approval_required: Setting.registrations_mode == 'approved',
+ }
end
end
diff --git a/app/serializers/rest/relationship_serializer.rb b/app/serializers/rest/relationship_serializer.rb
index afd4cddf9..31fc60eb2 100644
--- a/app/serializers/rest/relationship_serializer.rb
+++ b/app/serializers/rest/relationship_serializer.rb
@@ -1,7 +1,7 @@
# frozen_string_literal: true
class REST::RelationshipSerializer < ActiveModel::Serializer
- attributes :id, :following, :showing_reblogs, :notifying, :followed_by,
+ attributes :id, :following, :showing_reblogs, :notifying, :languages, :followed_by,
:blocking, :blocked_by, :muting, :muting_notifications, :requested,
:domain_blocking, :endorsed, :note
@@ -25,6 +25,11 @@ class REST::RelationshipSerializer < ActiveModel::Serializer
false
end
+ def languages
+ (instance_options[:relationships].following[object.id] || {})[:languages] ||
+ (instance_options[:relationships].requested[object.id] || {})[:languages]
+ end
+
def followed_by
instance_options[:relationships].followed_by[object.id] || false
end
diff --git a/app/serializers/rest/translation_serializer.rb b/app/serializers/rest/translation_serializer.rb
new file mode 100644
index 000000000..a06f23f32
--- /dev/null
+++ b/app/serializers/rest/translation_serializer.rb
@@ -0,0 +1,9 @@
+# frozen_string_literal: true
+
+class REST::TranslationSerializer < ActiveModel::Serializer
+ attributes :content, :detected_source_language
+
+ def content
+ object.text
+ end
+end
diff --git a/app/serializers/rest/v1/instance_serializer.rb b/app/serializers/rest/v1/instance_serializer.rb
new file mode 100644
index 000000000..fefbed8ee
--- /dev/null
+++ b/app/serializers/rest/v1/instance_serializer.rb
@@ -0,0 +1,115 @@
+# frozen_string_literal: true
+
+class REST::V1::InstanceSerializer < ActiveModel::Serializer
+ include RoutingHelper
+
+ attributes :uri, :title, :short_description, :description, :email,
+ :version, :urls, :stats, :thumbnail, :max_toot_chars, :poll_limits,
+ :languages, :registrations, :approval_required, :invites_enabled,
+ :configuration
+
+ has_one :contact_account, serializer: REST::AccountSerializer
+
+ has_many :rules, serializer: REST::RuleSerializer
+
+ def uri
+ object.domain
+ end
+
+ def short_description
+ object.description
+ end
+
+ def description
+ Setting.site_description # Legacy
+ end
+
+ def email
+ object.contact.email
+ end
+
+ def contact_account
+ object.contact.account
+ end
+
+ def thumbnail
+ instance_presenter.thumbnail ? full_asset_url(instance_presenter.thumbnail.file.url) : full_pack_url('media/images/preview.png')
+ end
+
+ def max_toot_chars
+ StatusLengthValidator::MAX_CHARS
+ end
+
+ def poll_limits
+ {
+ max_options: PollValidator::MAX_OPTIONS,
+ max_option_chars: PollValidator::MAX_OPTION_CHARS,
+ min_expiration: PollValidator::MIN_EXPIRATION,
+ max_expiration: PollValidator::MAX_EXPIRATION,
+ }
+ end
+
+ def stats
+ {
+ user_count: instance_presenter.user_count,
+ status_count: instance_presenter.status_count,
+ domain_count: instance_presenter.domain_count,
+ }
+ end
+
+ def urls
+ { streaming_api: Rails.configuration.x.streaming_api_base_url }
+ end
+
+ def usage
+ {
+ users: {
+ active_month: instance_presenter.active_user_count(4),
+ },
+ }
+ end
+
+ def configuration
+ {
+ statuses: {
+ max_characters: StatusLengthValidator::MAX_CHARS,
+ max_media_attachments: 4,
+ characters_reserved_per_url: StatusLengthValidator::URL_PLACEHOLDER_CHARS,
+ },
+
+ media_attachments: {
+ supported_mime_types: MediaAttachment::IMAGE_MIME_TYPES + MediaAttachment::VIDEO_MIME_TYPES + MediaAttachment::AUDIO_MIME_TYPES,
+ image_size_limit: MediaAttachment::IMAGE_LIMIT,
+ image_matrix_limit: Attachmentable::MAX_MATRIX_LIMIT,
+ video_size_limit: MediaAttachment::VIDEO_LIMIT,
+ video_frame_rate_limit: MediaAttachment::MAX_VIDEO_FRAME_RATE,
+ video_matrix_limit: MediaAttachment::MAX_VIDEO_MATRIX_LIMIT,
+ },
+
+ polls: {
+ max_options: PollValidator::MAX_OPTIONS,
+ max_characters_per_option: PollValidator::MAX_OPTION_CHARS,
+ min_expiration: PollValidator::MIN_EXPIRATION,
+ max_expiration: PollValidator::MAX_EXPIRATION,
+ },
+ }
+ end
+
+ def registrations
+ Setting.registrations_mode != 'none' && !Rails.configuration.x.single_user_mode
+ end
+
+ def approval_required
+ Setting.registrations_mode == 'approved'
+ end
+
+ def invites_enabled
+ UserRole.everyone.can?(:invite_users)
+ end
+
+ private
+
+ def instance_presenter
+ @instance_presenter ||= InstancePresenter.new
+ end
+end
diff --git a/app/services/activitypub/fetch_remote_account_service.rb b/app/services/activitypub/fetch_remote_account_service.rb
index 9d01f5386..ca7a8c6ca 100644
--- a/app/services/activitypub/fetch_remote_account_service.rb
+++ b/app/services/activitypub/fetch_remote_account_service.rb
@@ -1,66 +1,12 @@
# frozen_string_literal: true
-class ActivityPub::FetchRemoteAccountService < BaseService
- include JsonLdHelper
- include DomainControlHelper
- include WebfingerHelper
-
- SUPPORTED_TYPES = %w(Application Group Organization Person Service).freeze
-
+class ActivityPub::FetchRemoteAccountService < ActivityPub::FetchRemoteActorService
# Does a WebFinger roundtrip on each call, unless `only_key` is true
- def call(uri, id: true, prefetched_body: nil, break_on_redirect: false, only_key: false)
- return if domain_not_allowed?(uri)
- return ActivityPub::TagManager.instance.uri_to_resource(uri, Account) if ActivityPub::TagManager.instance.local_uri?(uri)
+ def call(uri, id: true, prefetched_body: nil, break_on_redirect: false, only_key: false, suppress_errors: true)
+ actor = super
+ return actor if actor.nil? || actor.is_a?(Account)
- @json = begin
- if prefetched_body.nil?
- fetch_resource(uri, id)
- else
- body_to_json(prefetched_body, compare_id: id ? uri : nil)
- end
- end
-
- return if !supported_context? || !expected_type? || (break_on_redirect && @json['movedTo'].present?)
-
- @uri = @json['id']
- @username = @json['preferredUsername']
- @domain = Addressable::URI.parse(@uri).normalized_host
-
- return unless only_key || verified_webfinger?
-
- ActivityPub::ProcessAccountService.new.call(@username, @domain, @json, only_key: only_key, verified_webfinger: !only_key)
- rescue Oj::ParseError
- nil
- end
-
- private
-
- def verified_webfinger?
- webfinger = webfinger!("acct:#{@username}@#{@domain}")
- confirmed_username, confirmed_domain = split_acct(webfinger.subject)
-
- return webfinger.link('self', 'href') == @uri if @username.casecmp(confirmed_username).zero? && @domain.casecmp(confirmed_domain).zero?
-
- webfinger = webfinger!("acct:#{confirmed_username}@#{confirmed_domain}")
- @username, @domain = split_acct(webfinger.subject)
-
- return false unless @username.casecmp(confirmed_username).zero? && @domain.casecmp(confirmed_domain).zero?
- return false if webfinger.link('self', 'href') != @uri
-
- true
- rescue Webfinger::Error
- false
- end
-
- def split_acct(acct)
- acct.gsub(/\Aacct:/, '').split('@')
- end
-
- def supported_context?
- super(@json)
- end
-
- def expected_type?
- equals_or_includes_any?(@json['type'], SUPPORTED_TYPES)
+ Rails.logger.debug "Fetching account #{uri} failed: Expected Account, got #{actor.class.name}"
+ raise Error, "Expected Account, got #{actor.class.name}" unless suppress_errors
end
end
diff --git a/app/services/activitypub/fetch_remote_actor_service.rb b/app/services/activitypub/fetch_remote_actor_service.rb
new file mode 100644
index 000000000..17bf2f287
--- /dev/null
+++ b/app/services/activitypub/fetch_remote_actor_service.rb
@@ -0,0 +1,80 @@
+# frozen_string_literal: true
+
+class ActivityPub::FetchRemoteActorService < BaseService
+ include JsonLdHelper
+ include DomainControlHelper
+ include WebfingerHelper
+
+ class Error < StandardError; end
+
+ SUPPORTED_TYPES = %w(Application Group Organization Person Service).freeze
+
+ # Does a WebFinger roundtrip on each call, unless `only_key` is true
+ def call(uri, id: true, prefetched_body: nil, break_on_redirect: false, only_key: false, suppress_errors: true)
+ return if domain_not_allowed?(uri)
+ return ActivityPub::TagManager.instance.uri_to_actor(uri) if ActivityPub::TagManager.instance.local_uri?(uri)
+
+ @json = begin
+ if prefetched_body.nil?
+ fetch_resource(uri, id)
+ else
+ body_to_json(prefetched_body, compare_id: id ? uri : nil)
+ end
+ rescue Oj::ParseError
+ raise Error, "Error parsing JSON-LD document #{uri}"
+ end
+
+ raise Error, "Error fetching actor JSON at #{uri}" if @json.nil?
+ raise Error, "Unsupported JSON-LD context for document #{uri}" unless supported_context?
+ raise Error, "Unexpected object type for actor #{uri} (expected any of: #{SUPPORTED_TYPES})" unless expected_type?
+ raise Error, "Actor #{uri} has moved to #{@json['movedTo']}" if break_on_redirect && @json['movedTo'].present?
+
+ @uri = @json['id']
+ @username = @json['preferredUsername']
+ @domain = Addressable::URI.parse(@uri).normalized_host
+
+ check_webfinger! unless only_key
+
+ ActivityPub::ProcessAccountService.new.call(@username, @domain, @json, only_key: only_key, verified_webfinger: !only_key)
+ rescue Error => e
+ Rails.logger.debug "Fetching actor #{uri} failed: #{e.message}"
+ raise unless suppress_errors
+ end
+
+ private
+
+ def check_webfinger!
+ webfinger = webfinger!("acct:#{@username}@#{@domain}")
+ confirmed_username, confirmed_domain = split_acct(webfinger.subject)
+
+ if @username.casecmp(confirmed_username).zero? && @domain.casecmp(confirmed_domain).zero?
+ raise Error, "Webfinger response for #{@username}@#{@domain} does not loop back to #{@uri}" if webfinger.link('self', 'href') != @uri
+ return
+ end
+
+ webfinger = webfinger!("acct:#{confirmed_username}@#{confirmed_domain}")
+ @username, @domain = split_acct(webfinger.subject)
+
+ unless confirmed_username.casecmp(@username).zero? && confirmed_domain.casecmp(@domain).zero?
+ raise Webfinger::RedirectError, "Too many webfinger redirects for URI #{uri} (stopped at #{@username}@#{@domain})"
+ end
+
+ raise Error, "Webfinger response for #{@username}@#{@domain} does not loop back to #{@uri}" if webfinger.link('self', 'href') != @uri
+ rescue Webfinger::RedirectError => e
+ raise Error, e.message
+ rescue Webfinger::Error => e
+ raise Error, "Webfinger error when resolving #{@username}@#{@domain}: #{e.message}"
+ end
+
+ def split_acct(acct)
+ acct.gsub(/\Aacct:/, '').split('@')
+ end
+
+ def supported_context?
+ super(@json)
+ end
+
+ def expected_type?
+ equals_or_includes_any?(@json['type'], SUPPORTED_TYPES)
+ end
+end
diff --git a/app/services/activitypub/fetch_remote_key_service.rb b/app/services/activitypub/fetch_remote_key_service.rb
index c48288b3b..32e82b47a 100644
--- a/app/services/activitypub/fetch_remote_key_service.rb
+++ b/app/services/activitypub/fetch_remote_key_service.rb
@@ -3,17 +3,19 @@
class ActivityPub::FetchRemoteKeyService < BaseService
include JsonLdHelper
- # Returns account that owns the key
- def call(uri, id: true, prefetched_body: nil)
- return if uri.blank?
+ class Error < StandardError; end
+
+ # Returns actor that owns the key
+ def call(uri, id: true, prefetched_body: nil, suppress_errors: true)
+ raise Error, 'No key URI given' if uri.blank?
if prefetched_body.nil?
if id
@json = fetch_resource_without_id_validation(uri)
- if person?
+ if actor_type?
@json = fetch_resource(@json['id'], true)
elsif uri != @json['id']
- return
+ raise Error, "Fetched URI #{uri} has wrong id #{@json['id']}"
end
else
@json = fetch_resource(uri, id)
@@ -22,30 +24,38 @@ class ActivityPub::FetchRemoteKeyService < BaseService
@json = body_to_json(prefetched_body, compare_id: id ? uri : nil)
end
- return unless supported_context?(@json) && expected_type?
- return find_account(@json['id'], @json) if person?
+ raise Error, "Unable to fetch key JSON at #{uri}" if @json.nil?
+ raise Error, "Unsupported JSON-LD context for document #{uri}" unless supported_context?(@json)
+ raise Error, "Unexpected object type for key #{uri}" unless expected_type?
+ return find_actor(@json['id'], @json, suppress_errors) if actor_type?
@owner = fetch_resource(owner_uri, true)
- return unless supported_context?(@owner) && confirmed_owner?
+ raise Error, "Unable to fetch actor JSON #{owner_uri}" if @owner.nil?
+ raise Error, "Unsupported JSON-LD context for document #{owner_uri}" unless supported_context?(@owner)
+ raise Error, "Unexpected object type for actor #{owner_uri} (expected any of: #{SUPPORTED_TYPES})" unless expected_owner_type?
+ raise Error, "publicKey id for #{owner_uri} does not correspond to #{@json['id']}" unless confirmed_owner?
- find_account(owner_uri, @owner)
+ find_actor(owner_uri, @owner, suppress_errors)
+ rescue Error => e
+ Rails.logger.debug "Fetching key #{uri} failed: #{e.message}"
+ raise unless suppress_errors
end
private
- def find_account(uri, prefetched_body)
- account = ActivityPub::TagManager.instance.uri_to_resource(uri, Account)
- account ||= ActivityPub::FetchRemoteAccountService.new.call(uri, prefetched_body: prefetched_body)
- account
+ def find_actor(uri, prefetched_body, suppress_errors)
+ actor = ActivityPub::TagManager.instance.uri_to_actor(uri)
+ actor ||= ActivityPub::FetchRemoteActorService.new.call(uri, prefetched_body: prefetched_body, suppress_errors: suppress_errors)
+ actor
end
def expected_type?
- person? || public_key?
+ actor_type? || public_key?
end
- def person?
- equals_or_includes_any?(@json['type'], ActivityPub::FetchRemoteAccountService::SUPPORTED_TYPES)
+ def actor_type?
+ equals_or_includes_any?(@json['type'], ActivityPub::FetchRemoteActorService::SUPPORTED_TYPES)
end
def public_key?
@@ -56,7 +66,11 @@ class ActivityPub::FetchRemoteKeyService < BaseService
@owner_uri ||= value_or_id(@json['owner'])
end
+ def expected_owner_type?
+ equals_or_includes_any?(@owner['type'], ActivityPub::FetchRemoteActorService::SUPPORTED_TYPES)
+ end
+
def confirmed_owner?
- equals_or_includes_any?(@owner['type'], ActivityPub::FetchRemoteAccountService::SUPPORTED_TYPES) && value_or_id(@owner['publicKey']) == @json['id']
+ value_or_id(@owner['publicKey']) == @json['id']
end
end
diff --git a/app/services/activitypub/process_account_service.rb b/app/services/activitypub/process_account_service.rb
index 4449a5427..456b3524b 100644
--- a/app/services/activitypub/process_account_service.rb
+++ b/app/services/activitypub/process_account_service.rb
@@ -32,8 +32,6 @@ class ActivityPub::ProcessAccountService < BaseService
process_duplicate_accounts! if @options[:verified_webfinger]
end
- return if @account.nil?
-
after_protocol_change! if protocol_changed?
after_key_change! if key_changed? && !@options[:signed_with_known_key]
clear_tombstones! if key_changed?
@@ -105,11 +103,13 @@ class ActivityPub::ProcessAccountService < BaseService
def set_fetchable_attributes!
begin
@account.avatar_remote_url = image_url('icon') || '' unless skip_download?
+ @account.avatar = nil if @account.avatar_remote_url.blank?
rescue Mastodon::UnexpectedResponseError, HTTP::TimeoutError, HTTP::ConnectionError, OpenSSL::SSL::SSLError
RedownloadAvatarWorker.perform_in(rand(30..600).seconds, @account.id)
end
begin
@account.header_remote_url = image_url('image') || '' unless skip_download?
+ @account.header = nil if @account.header_remote_url.blank?
rescue Mastodon::UnexpectedResponseError, HTTP::TimeoutError, HTTP::ConnectionError, OpenSSL::SSL::SSLError
RedownloadHeaderWorker.perform_in(rand(30..600).seconds, @account.id)
end
diff --git a/app/services/activitypub/process_collection_service.rb b/app/services/activitypub/process_collection_service.rb
index eb008c40a..fffe30195 100644
--- a/app/services/activitypub/process_collection_service.rb
+++ b/app/services/activitypub/process_collection_service.rb
@@ -3,8 +3,8 @@
class ActivityPub::ProcessCollectionService < BaseService
include JsonLdHelper
- def call(body, account, **options)
- @account = account
+ def call(body, actor, **options)
+ @account = actor
@json = original_json = Oj.load(body, mode: :strict)
@options = options
@@ -16,6 +16,7 @@ class ActivityPub::ProcessCollectionService < BaseService
end
return if !supported_context? || (different_actor? && verify_account!.nil?) || suspended_actor? || @account.local?
+ return unless @account.is_a?(Account)
if @json['signature'].present?
# We have verified the signature, but in the compaction step above, might
@@ -66,8 +67,10 @@ class ActivityPub::ProcessCollectionService < BaseService
end
def verify_account!
- @options[:relayed_through_account] = @account
- @account = ActivityPub::LinkedDataSignature.new(@json).verify_account!
+ @options[:relayed_through_actor] = @account
+ @account = ActivityPub::LinkedDataSignature.new(@json).verify_actor!
+ @account = nil unless @account.is_a?(Account)
+ @account
rescue JSON::LD::JsonLdError => e
Rails.logger.debug "Could not verify LD-Signature for #{value_or_id(@json['actor'])}: #{e.message}"
nil
diff --git a/app/services/app_sign_up_service.rb b/app/services/app_sign_up_service.rb
index e00694157..3833327bb 100644
--- a/app/services/app_sign_up_service.rb
+++ b/app/services/app_sign_up_service.rb
@@ -2,23 +2,67 @@
class AppSignUpService < BaseService
def call(app, remote_ip, params)
- return unless allowed_registrations?
+ @app = app
+ @remote_ip = remote_ip
+ @params = params
- user_params = params.slice(:email, :password, :agreement, :locale)
- account_params = params.slice(:username)
- invite_request_params = { text: params[:reason] }
- user = User.create!(user_params.merge(created_by_application: app, sign_up_ip: remote_ip, password_confirmation: user_params[:password], account_attributes: account_params, invite_request_attributes: invite_request_params))
+ raise Mastodon::NotPermittedError unless allowed_registrations?
- Doorkeeper::AccessToken.create!(application: app,
- resource_owner_id: user.id,
- scopes: app.scopes,
- expires_in: Doorkeeper.configuration.access_token_expires_in,
- use_refresh_token: Doorkeeper.configuration.refresh_token_enabled?)
+ ApplicationRecord.transaction do
+ create_user!
+ create_access_token!
+ end
+
+ @access_token
end
private
+ def create_user!
+ @user = User.create!(
+ user_params.merge(created_by_application: @app, sign_up_ip: @remote_ip, password_confirmation: user_params[:password], account_attributes: account_params, invite_request_attributes: invite_request_params)
+ )
+ end
+
+ def create_access_token!
+ @access_token = Doorkeeper::AccessToken.create!(
+ application: @app,
+ resource_owner_id: @user.id,
+ scopes: @app.scopes,
+ expires_in: Doorkeeper.configuration.access_token_expires_in,
+ use_refresh_token: Doorkeeper.configuration.refresh_token_enabled?
+ )
+ end
+
+ def user_params
+ @params.slice(:email, :password, :agreement, :locale)
+ end
+
+ def account_params
+ @params.slice(:username)
+ end
+
+ def invite_request_params
+ { text: @params[:reason] }
+ end
+
def allowed_registrations?
- Setting.registrations_mode != 'none' && !Rails.configuration.x.single_user_mode
+ registrations_open? && !single_user_mode? && !omniauth_only? && !ip_blocked?
+ end
+
+ def registrations_open?
+ Setting.registrations_mode != 'none'
+ end
+
+ def single_user_mode?
+ Rails.configuration.x.single_user_mode
+ end
+
+ def omniauth_only?
+ ENV['OMNIAUTH_ONLY'] == 'true'
+ end
+
+ def ip_blocked?
+ IpBlock.where(severity: :sign_up_block).where('ip >>= ?', @remote_ip.to_s).exists?
end
end
diff --git a/app/services/clear_domain_media_service.rb b/app/services/clear_domain_media_service.rb
index 704cfb71a..9e70ebe51 100644
--- a/app/services/clear_domain_media_service.rb
+++ b/app/services/clear_domain_media_service.rb
@@ -10,24 +10,18 @@ class ClearDomainMediaService < BaseService
private
- def invalidate_association_caches!
+ def invalidate_association_caches!(status_ids)
# Normally, associated models of a status are immutable (except for accounts)
# so they are aggressively cached. After updating the media attachments to no
# longer point to a local file, we need to clear the cache to make those
# changes appear in the API and UI
- @affected_status_ids.each { |id| Rails.cache.delete_matched("statuses/#{id}-*") }
+ Rails.cache.delete_multi(status_ids.map { |id| "statuses/#{id}" })
end
def clear_media!
- @affected_status_ids = []
-
- begin
- clear_account_images!
- clear_account_attachments!
- clear_emojos!
- ensure
- invalidate_association_caches!
- end
+ clear_account_images!
+ clear_account_attachments!
+ clear_emojos!
end
def clear_account_images!
@@ -39,12 +33,18 @@ class ClearDomainMediaService < BaseService
end
def clear_account_attachments!
- media_from_blocked_domain.reorder(nil).find_each do |attachment|
- @affected_status_ids << attachment.status_id if attachment.status_id.present?
+ media_from_blocked_domain.reorder(nil).find_in_batches do |attachments|
+ affected_status_ids = []
- attachment.file.destroy if attachment.file&.exists?
- attachment.type = :unknown
- attachment.save
+ attachments.each do |attachment|
+ affected_status_ids << attachment.status_id if attachment.status_id.present?
+
+ attachment.file.destroy if attachment.file&.exists?
+ attachment.type = :unknown
+ attachment.save
+ end
+
+ invalidate_association_caches!(affected_status_ids) unless affected_status_ids.empty?
end
end
diff --git a/app/services/fetch_resource_service.rb b/app/services/fetch_resource_service.rb
index 6c0093cd4..73204e55d 100644
--- a/app/services/fetch_resource_service.rb
+++ b/app/services/fetch_resource_service.rb
@@ -47,7 +47,7 @@ class FetchResourceService < BaseService
body = response.body_with_limit
json = body_to_json(body)
- [json['id'], { prefetched_body: body, id: true }] if supported_context?(json) && (equals_or_includes_any?(json['type'], ActivityPub::FetchRemoteAccountService::SUPPORTED_TYPES) || expected_type?(json))
+ [json['id'], { prefetched_body: body, id: true }] if supported_context?(json) && (equals_or_includes_any?(json['type'], ActivityPub::FetchRemoteActorService::SUPPORTED_TYPES) || expected_type?(json))
elsif !terminal
link_header = response['Link'] && parse_link_header(response)
diff --git a/app/services/follow_service.rb b/app/services/follow_service.rb
index ed28e1371..feea40e3c 100644
--- a/app/services/follow_service.rb
+++ b/app/services/follow_service.rb
@@ -11,6 +11,7 @@ class FollowService < BaseService
# @param [Hash] options
# @option [Boolean] :reblogs Whether or not to show reblogs, defaults to true
# @option [Boolean] :notify Whether to create notifications about new posts, defaults to false
+ # @option [Array] :languages Which languages to allow on the home feed from this account, defaults to all
# @option [Boolean] :bypass_locked
# @option [Boolean] :bypass_limit Allow following past the total follow number
# @option [Boolean] :with_rate_limit
@@ -57,15 +58,15 @@ class FollowService < BaseService
end
def change_follow_options!
- @source_account.follow!(@target_account, reblogs: @options[:reblogs], notify: @options[:notify])
+ @source_account.follow!(@target_account, **follow_options)
end
def change_follow_request_options!
- @source_account.request_follow!(@target_account, reblogs: @options[:reblogs], notify: @options[:notify])
+ @source_account.request_follow!(@target_account, **follow_options)
end
def request_follow!
- follow_request = @source_account.request_follow!(@target_account, reblogs: @options[:reblogs], notify: @options[:notify], rate_limit: @options[:with_rate_limit], bypass_limit: @options[:bypass_limit])
+ follow_request = @source_account.request_follow!(@target_account, **follow_options.merge(rate_limit: @options[:with_rate_limit], bypass_limit: @options[:bypass_limit]))
if @target_account.local?
LocalNotificationWorker.perform_async(@target_account.id, follow_request.id, follow_request.class.name, 'follow_request')
@@ -77,7 +78,7 @@ class FollowService < BaseService
end
def direct_follow!
- follow = @source_account.follow!(@target_account, reblogs: @options[:reblogs], notify: @options[:notify], rate_limit: @options[:with_rate_limit], bypass_limit: @options[:bypass_limit])
+ follow = @source_account.follow!(@target_account, **follow_options.merge(rate_limit: @options[:with_rate_limit], bypass_limit: @options[:bypass_limit]))
LocalNotificationWorker.perform_async(@target_account.id, follow.id, follow.class.name, 'follow')
MergeWorker.perform_async(@target_account.id, @source_account.id)
@@ -88,4 +89,8 @@ class FollowService < BaseService
def build_json(follow_request)
Oj.dump(serialize_payload(follow_request, ActivityPub::FollowSerializer))
end
+
+ def follow_options
+ @options.slice(:reblogs, :notify, :languages)
+ end
end
diff --git a/app/services/import_service.rb b/app/services/import_service.rb
index 8e6640b9d..676c37bde 100644
--- a/app/services/import_service.rb
+++ b/app/services/import_service.rb
@@ -27,7 +27,7 @@ class ImportService < BaseService
def import_follows!
parse_import_data!(['Account address'])
- import_relationships!('follow', 'unfollow', @account.following, ROWS_PROCESSING_LIMIT, reblogs: { header: 'Show boosts', default: true })
+ import_relationships!('follow', 'unfollow', @account.following, ROWS_PROCESSING_LIMIT, reblogs: { header: 'Show boosts', default: true }, notify: { header: 'Notify on new posts', default: false }, languages: { header: 'Languages', default: nil })
end
def import_blocks!
diff --git a/app/services/keys/claim_service.rb b/app/services/keys/claim_service.rb
index 69568a0d1..ae9e24a24 100644
--- a/app/services/keys/claim_service.rb
+++ b/app/services/keys/claim_service.rb
@@ -72,7 +72,7 @@ class Keys::ClaimService < BaseService
def build_post_request(uri)
Request.new(:post, uri).tap do |request|
- request.on_behalf_of(@source_account, :uri)
+ request.on_behalf_of(@source_account)
request.add_headers(HEADERS)
end
end
diff --git a/app/services/process_mentions_service.rb b/app/services/process_mentions_service.rb
index 8c63b611d..c9c158af1 100644
--- a/app/services/process_mentions_service.rb
+++ b/app/services/process_mentions_service.rb
@@ -38,7 +38,7 @@ class ProcessMentionsService < BaseService
mentioned_account = Account.find_remote(username, domain)
# Unapproved and unconfirmed accounts should not be mentionable
- next if mentioned_account&.local? && !(mentioned_account.user_confirmed? && mentioned_account.user_approved?)
+ next match if mentioned_account&.local? && !(mentioned_account.user_confirmed? && mentioned_account.user_approved?)
# If the account cannot be found or isn't the right protocol,
# first try to resolve it
diff --git a/app/services/resolve_account_service.rb b/app/services/resolve_account_service.rb
index b55e45409..e3b370968 100644
--- a/app/services/resolve_account_service.rb
+++ b/app/services/resolve_account_service.rb
@@ -1,7 +1,6 @@
# frozen_string_literal: true
class ResolveAccountService < BaseService
- include JsonLdHelper
include DomainControlHelper
include WebfingerHelper
include Redisable
@@ -13,6 +12,7 @@ class ResolveAccountService < BaseService
# @param [Hash] options
# @option options [Boolean] :redirected Do not follow further Webfinger redirects
# @option options [Boolean] :skip_webfinger Do not attempt any webfinger query or refreshing account data
+ # @option options [Boolean] :suppress_errors When failing, return nil instead of raising an error
# @return [Account]
def call(uri, options = {})
return if uri.blank?
@@ -52,15 +52,15 @@ class ResolveAccountService < BaseService
# either needs to be created, or updated from fresh data
fetch_account!
- rescue Webfinger::Error, Oj::ParseError => e
+ rescue Webfinger::Error => e
Rails.logger.debug "Webfinger query for #{@uri} failed: #{e}"
- nil
+ raise unless @options[:suppress_errors]
end
private
def process_options!(uri, options)
- @options = options
+ @options = { suppress_errors: true }.merge(options)
if uri.is_a?(Account)
@account = uri
@@ -96,7 +96,7 @@ class ResolveAccountService < BaseService
@username, @domain = split_acct(@webfinger.subject)
unless confirmed_username.casecmp(@username).zero? && confirmed_domain.casecmp(@domain).zero?
- raise Webfinger::RedirectError, "The URI #{uri} tries to hijack #{@username}@#{@domain}"
+ raise Webfinger::RedirectError, "Too many webfinger redirects for URI #{uri} (stopped at #{@username}@#{@domain})"
end
rescue Webfinger::GoneError
@gone = true
@@ -110,7 +110,7 @@ class ResolveAccountService < BaseService
return unless activitypub_ready?
with_lock("resolve:#{@username}@#{@domain}") do
- @account = ActivityPub::FetchRemoteAccountService.new.call(actor_url)
+ @account = ActivityPub::FetchRemoteAccountService.new.call(actor_url, suppress_errors: @options[:suppress_errors])
end
@account
diff --git a/app/services/resolve_url_service.rb b/app/services/resolve_url_service.rb
index e2c745673..37c856cf8 100644
--- a/app/services/resolve_url_service.rb
+++ b/app/services/resolve_url_service.rb
@@ -20,8 +20,8 @@ class ResolveURLService < BaseService
private
def process_url
- if equals_or_includes_any?(type, ActivityPub::FetchRemoteAccountService::SUPPORTED_TYPES)
- ActivityPub::FetchRemoteAccountService.new.call(resource_url, prefetched_body: body)
+ if equals_or_includes_any?(type, ActivityPub::FetchRemoteActorService::SUPPORTED_TYPES)
+ ActivityPub::FetchRemoteActorService.new.call(resource_url, prefetched_body: body)
elsif equals_or_includes_any?(type, ActivityPub::Activity::Create::SUPPORTED_TYPES + ActivityPub::Activity::Create::CONVERTED_TYPES)
status = FetchRemoteStatusService.new.call(resource_url, body)
authorize_with @on_behalf_of, status, :show? unless status.nil?
diff --git a/app/services/translate_status_service.rb b/app/services/translate_status_service.rb
new file mode 100644
index 000000000..539a0d9db
--- /dev/null
+++ b/app/services/translate_status_service.rb
@@ -0,0 +1,27 @@
+# frozen_string_literal: true
+
+class TranslateStatusService < BaseService
+ CACHE_TTL = 1.day.freeze
+
+ include FormattingHelper
+
+ def call(status, target_language)
+ raise Mastodon::NotPermittedError unless status.public_visibility? || status.unlisted_visibility?
+
+ @status = status
+ @content = status_content_format(@status)
+ @target_language = target_language
+
+ Rails.cache.fetch("translations/#{@status.language}/#{@target_language}/#{content_hash}", expires_in: CACHE_TTL) { translation_backend.translate(@content, @status.language, @target_language) }
+ end
+
+ private
+
+ def translation_backend
+ TranslationService.configured
+ end
+
+ def content_hash
+ Digest::SHA256.base64digest(@content)
+ end
+end
diff --git a/app/validators/language_validator.rb b/app/validators/language_validator.rb
new file mode 100644
index 000000000..b723e1a40
--- /dev/null
+++ b/app/validators/language_validator.rb
@@ -0,0 +1,21 @@
+# frozen_string_literal: true
+
+class LanguageValidator < ActiveModel::EachValidator
+ include LanguagesHelper
+
+ def validate_each(record, attribute, value)
+ record.errors.add(attribute, :invalid) unless valid?(value)
+ end
+
+ private
+
+ def valid?(str)
+ if str.nil?
+ true
+ elsif str.is_a?(Array)
+ str.all? { |x| valid_locale?(x) }
+ else
+ valid_locale?(str)
+ end
+ end
+end
diff --git a/app/views/about/more.html.haml b/app/views/about/more.html.haml
index 0b75f159a..a75549120 100644
--- a/app/views/about/more.html.haml
+++ b/app/views/about/more.html.haml
@@ -8,7 +8,7 @@
.column-0
.public-account-header.public-account-header--no-bar
.public-account-header__image
- = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.site_title, class: 'parallax'
+ = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.title, class: 'parallax'
.column-1
.landing-page__call-to-action{ dir: 'ltr' }
@@ -30,14 +30,14 @@
.contact-widget
%h4= t 'about.administered_by'
- = account_link_to(@instance_presenter.contact_account)
+ = account_link_to(@instance_presenter.contact.account)
- - if @instance_presenter.site_contact_email.present?
+ - if @instance_presenter.contact.email.present?
%h4
= succeed ':' do
= t 'about.contact'
- = mail_to @instance_presenter.site_contact_email, nil, title: @instance_presenter.site_contact_email
+ = mail_to @instance_presenter.contact.email, nil, title: @instance_presenter.contact.email
.column-3
= render 'application/flashes'
diff --git a/app/views/about/show.html.haml b/app/views/about/show.html.haml
index fb292941b..8d09a2938 100644
--- a/app/views/about/show.html.haml
+++ b/app/views/about/show.html.haml
@@ -53,11 +53,11 @@
.hero-widget
.hero-widget__img
- = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.site_title
+ = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.title
.hero-widget__text
%p
- = @instance_presenter.site_short_description.html_safe.presence || t('about.about_mastodon_html')
+ = @instance_presenter.description.html_safe.presence || t('about.about_mastodon_html')
= link_to about_more_path do
= t('about.learn_more')
= fa_icon 'angle-double-right'
@@ -66,7 +66,7 @@
.hero-widget__footer__column
%h4= t 'about.administered_by'
- = account_link_to @instance_presenter.contact_account
+ = account_link_to @instance_presenter.contact.account
.hero-widget__footer__column
%h4= t 'about.server_stats'
diff --git a/app/views/admin/accounts/index.html.haml b/app/views/admin/accounts/index.html.haml
index 84040e480..9571f27b4 100644
--- a/app/views/admin/accounts/index.html.haml
+++ b/app/views/admin/accounts/index.html.haml
@@ -18,7 +18,7 @@
.filter-subset.filter-subset--with-select
%strong= t 'generic.order_by'
.input.select
- = select_tag :order, options_for_select([[t('relationships.most_recent'), nil], [t('relationships.last_active'), 'active']], params[:order])
+ = select_tag :order, options_for_select([[t('relationships.most_recent'), 'recent'], [t('relationships.last_active'), 'active']], params[:order])
.fields-group
- %i(username by_domain display_name email ip).each do |key|
@@ -34,6 +34,7 @@
= form_for(@form, url: batch_admin_accounts_path) do |f|
= hidden_field_tag :page, params[:page] || 1
+ = hidden_field_tag :select_all_matching, '0'
- AccountFilter::KEYS.each do |key|
= hidden_field_tag key, params[key] if params[key].present?
@@ -49,6 +50,14 @@
= f.button safe_join([fa_icon('times'), t('admin.accounts.reject')]), name: :reject, class: 'table-action-link', type: :submit, data: { confirm: t('admin.reports.are_you_sure') }
= f.button safe_join([fa_icon('lock'), t('admin.accounts.perform_full_suspension')]), name: :suspend, class: 'table-action-link', type: :submit, data: { confirm: t('admin.reports.are_you_sure') }
+ - if @accounts.total_count > @accounts.size
+ .batch-table__select-all
+ .not-selected.active
+ %span= t('generic.all_items_on_page_selected_html', count: @accounts.size)
+ %button{ type: 'button' }= t('generic.select_all_matching_items', count: @accounts.total_count)
+ .selected
+ %span= t('generic.all_matching_items_selected_html', count: @accounts.total_count)
+ %button{ type: 'button' }= t('generic.deselect')
.batch-table__body
- if @accounts.empty?
= nothing_here 'nothing-here--under-tabs'
diff --git a/app/views/admin/roles/_form.html.haml b/app/views/admin/roles/_form.html.haml
index 7ef12db6e..b048c75ce 100644
--- a/app/views/admin/roles/_form.html.haml
+++ b/app/views/admin/roles/_form.html.haml
@@ -13,7 +13,7 @@
= f.input :position, wrapper: :with_label, input_html: { max: current_user.role.position - 1 }
.fields-group
- = f.input :color, wrapper: :with_label, input_html: { placeholder: '#000000' }
+ = f.input :color, wrapper: :with_label, input_html: { placeholder: '#000000', type: 'color' }
%hr.spacer/
diff --git a/app/views/admin/settings/edit.html.haml b/app/views/admin/settings/edit.html.haml
index 98af7e718..f2fdab90d 100644
--- a/app/views/admin/settings/edit.html.haml
+++ b/app/views/admin/settings/edit.html.haml
@@ -115,5 +115,12 @@
= f.input :site_terms, wrapper: :with_block_label, as: :text, label: t('admin.settings.site_terms.title'), hint: t('admin.settings.site_terms.desc_html'), input_html: { rows: 8 }
= f.input :custom_css, wrapper: :with_block_label, as: :text, input_html: { rows: 8 }, label: t('admin.settings.custom_css.title'), hint: t('admin.settings.custom_css.desc_html')
+ %hr.spacer/
+
+ .fields-group
+ = f.input :media_cache_retention_period, wrapper: :with_block_label, input_html: { pattern: '[0-9]+' }
+ = f.input :content_cache_retention_period, wrapper: :with_block_label, input_html: { pattern: '[0-9]+' }
+ = f.input :backups_retention_period, wrapper: :with_block_label, input_html: { pattern: '[0-9]+' }
+
.actions
= f.button :button, t('generic.save_changes'), type: :submit
diff --git a/app/views/application/_sidebar.html.haml b/app/views/application/_sidebar.html.haml
index cc157bf47..eb2813dd0 100644
--- a/app/views/application/_sidebar.html.haml
+++ b/app/views/application/_sidebar.html.haml
@@ -1,9 +1,9 @@
.hero-widget
.hero-widget__img
- = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.site_title
+ = image_tag @instance_presenter.hero&.file&.url || @instance_presenter.thumbnail&.file&.url || asset_pack_path('media/images/preview.png'), alt: @instance_presenter.title
.hero-widget__text
- %p= @instance_presenter.site_short_description.html_safe.presence || t('about.about_mastodon_html')
+ %p= @instance_presenter.description.html_safe.presence || t('about.about_mastodon_html')
- if Setting.trends && !(user_signed_in? && !current_user.setting_trends)
- trends = Trends.tags.query.allowed.limit(3)
diff --git a/app/views/filters/_filter.html.haml b/app/views/filters/_filter.html.haml
index 2ab014081..9993ad2ee 100644
--- a/app/views/filters/_filter.html.haml
+++ b/app/views/filters/_filter.html.haml
@@ -22,6 +22,15 @@
- keywords = filter.keywords.map(&:keyword)
- keywords = keywords.take(5) + ['…'] if keywords.size > 5 # TODO
= keywords.join(', ')
+ - unless filter.statuses.empty?
+ %li.permissions-list__item
+ .permissions-list__item__icon
+ = fa_icon('comment')
+ .permissions-list__item__text
+ .permissions-list__item__text__title
+ = t('filters.index.statuses', count: filter.statuses.size)
+ .permissions-list__item__text__type
+ = t('filters.index.statuses_long', count: filter.statuses.size)
.announcements-list__item__action-bar
.announcements-list__item__meta
diff --git a/app/views/filters/_filter_fields.html.haml b/app/views/filters/_filter_fields.html.haml
index 1a52faa7a..c58978f5a 100644
--- a/app/views/filters/_filter_fields.html.haml
+++ b/app/views/filters/_filter_fields.html.haml
@@ -14,6 +14,13 @@
%hr.spacer/
+- unless f.object.statuses.empty?
+ %h4= t('filters.edit.statuses')
+
+ %p.muted-hint= t('filters.edit.statuses_hint_html', path: filter_statuses_path(f.object))
+
+ %hr.spacer/
+
%h4= t('filters.edit.keywords')
.table-wrapper
diff --git a/app/views/filters/statuses/_status_filter.html.haml b/app/views/filters/statuses/_status_filter.html.haml
new file mode 100644
index 000000000..ba1170cf9
--- /dev/null
+++ b/app/views/filters/statuses/_status_filter.html.haml
@@ -0,0 +1,37 @@
+- status = status_filter.status.proper
+
+.batch-table__row
+ %label.batch-table__row__select.batch-checkbox
+ = f.check_box :status_filter_ids, { multiple: true, include_hidden: false }, status_filter.id
+ .batch-table__row__content
+ .status__content><
+ - if status.spoiler_text.blank?
+ = prerender_custom_emojis(status_content_format(status), status.emojis)
+ - else
+ %details<
+ %summary><
+ %strong> Content warning: #{prerender_custom_emojis(h(status.spoiler_text), status.emojis)}
+ = prerender_custom_emojis(status_content_format(status), status.emojis)
+
+ - status.ordered_media_attachments.each do |media_attachment|
+ %abbr{ title: media_attachment.description }
+ = fa_icon 'link'
+ = media_attachment.file_file_name
+
+ .detailed-status__meta
+ = link_to ActivityPub::TagManager.instance.url_for(status.account), class: 'name-tag', target: '_blank', rel: 'noopener noreferrer' do
+ = image_tag(status.account.avatar.url, width: 15, height: 15, alt: display_name(status.account), class: 'avatar')
+ .username= status.account.acct
+ ·
+ = link_to ActivityPub::TagManager.instance.url_for(status), class: 'detailed-status__datetime', target: stream_link_target, rel: 'noopener noreferrer' do
+ %time.formatted{ datetime: status.created_at.iso8601, title: l(status.created_at) }= l(status.created_at)
+ - if status.edited?
+ ·
+ = t('statuses.edited_at_html', date: content_tag(:time, l(status.edited_at), datetime: status.edited_at.iso8601, title: l(status.edited_at), class: 'formatted'))
+ ·
+ = fa_visibility_icon(status)
+ = t("statuses.visibilities.#{status.visibility}")
+ - if status.sensitive?
+ ·
+ = fa_icon('eye-slash fw')
+ = t('stream_entries.sensitive_content')
diff --git a/app/views/filters/statuses/index.html.haml b/app/views/filters/statuses/index.html.haml
new file mode 100644
index 000000000..eaa39e170
--- /dev/null
+++ b/app/views/filters/statuses/index.html.haml
@@ -0,0 +1,35 @@
+- content_for :page_title do
+ = t('filters.statuses.index.title')
+ \-
+ = @filter.title
+
+.filters
+ .back-link
+ = link_to edit_filter_path(@filter) do
+ = fa_icon 'chevron-left fw'
+ = t('filters.statuses.back_to_filter')
+
+%p.hint= t('filters.statuses.index.hint')
+
+%hr.spacer/
+
+= form_for(@status_filter_batch_action, url: batch_filter_statuses_path(@filter.id)) do |f|
+ = hidden_field_tag :page, params[:page] || 1
+
+ - Admin::StatusFilter::KEYS.each do |key|
+ = hidden_field_tag key, params[key] if params[key].present?
+
+ .batch-table
+ .batch-table__toolbar
+ %label.batch-table__toolbar__select.batch-checkbox-all
+ = check_box_tag :batch_checkbox_all, nil, false
+ .batch-table__toolbar__actions
+ - unless @status_filters.empty?
+ = f.button safe_join([fa_icon('times'), t('filters.statuses.batch.remove')]), name: :remove, class: 'table-action-link', type: :submit
+ .batch-table__body
+ - if @status_filters.empty?
+ = nothing_here 'nothing-here--under-tabs'
+ - else
+ = render partial: 'status_filter', collection: @status_filters, locals: { f: f }
+
+= paginate @status_filters
diff --git a/app/views/home/index.html.haml b/app/views/home/index.html.haml
index 568b23eff..437c33715 100644
--- a/app/views/home/index.html.haml
+++ b/app/views/home/index.html.haml
@@ -1,10 +1,14 @@
- content_for :header_tags do
- = preload_pack_asset 'features/getting_started.js', crossorigin: 'anonymous'
- = preload_pack_asset 'features/compose.js', crossorigin: 'anonymous'
- = preload_pack_asset 'features/home_timeline.js', crossorigin: 'anonymous'
- = preload_pack_asset 'features/notifications.js', crossorigin: 'anonymous'
+ - if user_signed_in?
+ = preload_pack_asset 'features/getting_started.js', crossorigin: 'anonymous'
+ = preload_pack_asset 'features/compose.js', crossorigin: 'anonymous'
+ = preload_pack_asset 'features/home_timeline.js', crossorigin: 'anonymous'
+ = preload_pack_asset 'features/notifications.js', crossorigin: 'anonymous'
+
+ = render partial: 'shared/og'
%meta{name: 'applicationServerKey', content: Rails.configuration.x.vapid_public_key}
+
= render_initial_state
.notranslate.app-holder#mastodon{ data: { props: Oj.dump(default_props) } }
diff --git a/app/views/layouts/application.html.haml b/app/views/layouts/application.html.haml
index 40c38cecb..5cbab8fc5 100755
--- a/app/views/layouts/application.html.haml
+++ b/app/views/layouts/application.html.haml
@@ -23,6 +23,7 @@
%link{ rel: 'manifest', href: manifest_path(format: :json) }/
%meta{ name: 'theme-color', content: '#6364FF' }/
%meta{ name: 'apple-mobile-web-app-capable', content: 'yes' }/
+ %meta{ name: 'apple-itunes-app', content: 'app-id=1571998974' }/
%title= content_for?(:page_title) ? safe_join([yield(:page_title).chomp.html_safe, title], ' - ') : title
diff --git a/app/views/layouts/public.html.haml b/app/views/layouts/public.html.haml
index f4ef199e6..10bc681ce 100644
--- a/app/views/layouts/public.html.haml
+++ b/app/views/layouts/public.html.haml
@@ -32,8 +32,7 @@
.column-0
%h4= t 'footer.resources'
%ul
- %li= link_to t('about.terms'), terms_path
- %li= link_to t('about.privacy_policy'), terms_path
+ %li= link_to t('about.privacy_policy'), privacy_policy_path
.column-1
%h4= t 'footer.developers'
%ul
@@ -56,6 +55,6 @@
.legal-xs
= link_to "v#{Mastodon::Version.to_s}", Mastodon::Version.source_url
·
- = link_to t('about.privacy_policy'), terms_path
+ = link_to t('about.privacy_policy'), privacy_policy_path
= render template: 'layouts/application'
diff --git a/app/views/notification_mailer/digest.html.haml b/app/views/notification_mailer/digest.html.haml
deleted file mode 100644
index a94ace228..000000000
--- a/app/views/notification_mailer/digest.html.haml
+++ /dev/null
@@ -1,44 +0,0 @@
-%table.email-table{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.email-body
- .email-container
- %table.content-section{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.content-cell.darker.hero-with-button
- .email-row
- .col-6
- %table.column{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.column-cell.text-center.padded
- %h1= t 'notification_mailer.digest.title'
- %p.lead= t('notification_mailer.digest.body', since: l((@me.user_current_sign_in_at || @since).to_date, format: :short), instance: site_hostname)
- %table.button{ align: 'center', cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.button-primary
- = link_to web_url do
- %span= t 'notification_mailer.digest.action'
-
-- @notifications.each_with_index do |n, i|
- = render 'status', status: n.target_status, i: i
-
-- unless @follows_since.zero?
- %table.email-table{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.email-body
- .email-container
- %table.content-section{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.content-cell.content-start.border-top
- .email-row
- .col-6
- %table.column{ cellspacing: 0, cellpadding: 0 }
- %tbody
- %tr
- %td.column-cell.text-center
- %p= t('notification_mailer.digest.new_followers_summary', count: @follows_since)
diff --git a/app/views/notification_mailer/digest.text.erb b/app/views/notification_mailer/digest.text.erb
deleted file mode 100644
index 0f84a4ef0..000000000
--- a/app/views/notification_mailer/digest.text.erb
+++ /dev/null
@@ -1,15 +0,0 @@
-<%= raw t('application_mailer.salutation', name: display_name(@me)) %>
-
-<%= raw t('notification_mailer.digest.body', since: l(@me.user_current_sign_in_at || @since), instance: root_url) %>
-<% @notifications.each do |notification| %>
-
-* <%= raw t('notification_mailer.digest.mention', name: notification.from_account.pretty_acct) %>
-
- <%= raw extract_status_plain_text(notification.target_status) %>
-
- <%= raw t('application_mailer.view')%> <%= web_url("statuses/#{notification.target_status.id}") %>
-<% end %>
-<% if @follows_since > 0 %>
-
-<%= raw t('notification_mailer.digest.new_followers_summary', count: @follows_since) %>
-<% end %>
diff --git a/app/views/about/terms.html.haml b/app/views/privacy/show.html.haml
similarity index 60%
rename from app/views/about/terms.html.haml
rename to app/views/privacy/show.html.haml
index 9d076a91b..cdd38a595 100644
--- a/app/views/about/terms.html.haml
+++ b/app/views/privacy/show.html.haml
@@ -4,6 +4,6 @@
.grid
.column-0
.box-widget
- .rich-formatting= @instance_presenter.site_terms.html_safe.presence || t('terms.body_html')
+ .rich-formatting= @instance_presenter.privacy_policy.html_safe.presence || t('terms.body_html')
.column-1
= render 'application/sidebar'
diff --git a/app/views/settings/deletes/show.html.haml b/app/views/settings/deletes/show.html.haml
index 08792e0af..ddf090879 100644
--- a/app/views/settings/deletes/show.html.haml
+++ b/app/views/settings/deletes/show.html.haml
@@ -16,7 +16,7 @@
%li.positive-hint= t('deletes.warning.email_contact_html', email: Setting.site_contact_email)
%li.positive-hint= t('deletes.warning.username_available')
- %p.hint= t('deletes.warning.more_details_html', terms_path: terms_path)
+ %p.hint= t('deletes.warning.more_details_html', terms_path: privacy_policy_path)
%hr.spacer/
diff --git a/app/views/settings/preferences/notifications/show.html.haml b/app/views/settings/preferences/notifications/show.html.haml
index 943e21b50..a03faa145 100644
--- a/app/views/settings/preferences/notifications/show.html.haml
+++ b/app/views/settings/preferences/notifications/show.html.haml
@@ -28,10 +28,6 @@
.fields-group
= f.input :setting_always_send_emails, as: :boolean, wrapper: :with_label
- .fields-group
- = f.simple_fields_for :notification_emails, hash_to_object(current_user.settings.notification_emails) do |ff|
- = ff.input :digest, as: :boolean, wrapper: :with_label
-
%h4= t 'notifications.other_settings'
.fields-group
diff --git a/app/views/shared/_og.html.haml b/app/views/shared/_og.html.haml
index 7feae1b8b..b54ab2429 100644
--- a/app/views/shared/_og.html.haml
+++ b/app/views/shared/_og.html.haml
@@ -1,12 +1,12 @@
- thumbnail = @instance_presenter.thumbnail
-- description ||= strip_tags(@instance_presenter.site_short_description.presence || t('about.about_mastodon_html'))
+- description ||= strip_tags(@instance_presenter.description.presence || t('about.about_mastodon_html'))
%meta{ name: 'description', content: description }/
= opengraph 'og:site_name', t('about.hosted_on', domain: site_hostname)
= opengraph 'og:url', url_for(only_path: false)
= opengraph 'og:type', 'website'
-= opengraph 'og:title', @instance_presenter.site_title
+= opengraph 'og:title', @instance_presenter.title
= opengraph 'og:description', description
= opengraph 'og:image', full_asset_url(thumbnail&.file&.url || asset_pack_path('media/images/preview.png', protocol: :request))
= opengraph 'og:image:width', thumbnail ? thumbnail.meta['width'] : '1200'
diff --git a/app/views/user_mailer/confirmation_instructions.html.haml b/app/views/user_mailer/confirmation_instructions.html.haml
index 39a83faff..447e689b4 100644
--- a/app/views/user_mailer/confirmation_instructions.html.haml
+++ b/app/views/user_mailer/confirmation_instructions.html.haml
@@ -77,4 +77,4 @@
%tbody
%tr
%td.column-cell.text-center
- %p= t 'devise.mailer.confirmation_instructions.extra_html', terms_path: about_more_url, policy_path: terms_url
+ %p= t 'devise.mailer.confirmation_instructions.extra_html', terms_path: about_more_url, policy_path: privacy_policy_url
diff --git a/app/views/user_mailer/confirmation_instructions.text.erb b/app/views/user_mailer/confirmation_instructions.text.erb
index aad91cd9d..a1b2ba7d2 100644
--- a/app/views/user_mailer/confirmation_instructions.text.erb
+++ b/app/views/user_mailer/confirmation_instructions.text.erb
@@ -6,7 +6,7 @@
=> <%= confirmation_url(@resource, confirmation_token: @token, redirect_to_app: @resource.created_by_application ? 'true' : nil) %>
-<%= strip_tags(t('devise.mailer.confirmation_instructions.extra_html', terms_path: about_more_url, policy_path: terms_url)) %>
+<%= strip_tags(t('devise.mailer.confirmation_instructions.extra_html', terms_path: about_more_url, policy_path: privacy_policy_url)) %>
=> <%= about_more_url %>
-=> <%= terms_url %>
+=> <%= privacy_policy_url %>
diff --git a/app/workers/activitypub/delivery_worker.rb b/app/workers/activitypub/delivery_worker.rb
index 788f2cf80..d9153132b 100644
--- a/app/workers/activitypub/delivery_worker.rb
+++ b/app/workers/activitypub/delivery_worker.rb
@@ -37,7 +37,7 @@ class ActivityPub::DeliveryWorker
def build_request(http_client)
Request.new(:post, @inbox_url, body: @json, http_client: http_client).tap do |request|
- request.on_behalf_of(@source_account, :uri, sign_with: @options[:sign_with])
+ request.on_behalf_of(@source_account, sign_with: @options[:sign_with])
request.add_headers(HEADERS)
request.add_headers({ 'Collection-Synchronization' => synchronization_header }) if ENV['DISABLE_FOLLOWERS_SYNCHRONIZATION'] != 'true' && @options[:synchronize_followers]
end
diff --git a/app/workers/activitypub/processing_worker.rb b/app/workers/activitypub/processing_worker.rb
index 37e316354..4d06ad079 100644
--- a/app/workers/activitypub/processing_worker.rb
+++ b/app/workers/activitypub/processing_worker.rb
@@ -5,11 +5,15 @@ class ActivityPub::ProcessingWorker
sidekiq_options backtrace: true, retry: 8
- def perform(account_id, body, delivered_to_account_id = nil)
- account = Account.find_by(id: account_id)
- return if account.nil?
+ def perform(actor_id, body, delivered_to_account_id = nil, actor_type = 'Account')
+ case actor_type
+ when 'Account'
+ actor = Account.find_by(id: actor_id)
+ end
- ActivityPub::ProcessCollectionService.new.call(body, account, override_timestamps: true, delivered_to_account_id: delivered_to_account_id, delivery: true)
+ return if actor.nil?
+
+ ActivityPub::ProcessCollectionService.new.call(body, actor, override_timestamps: true, delivered_to_account_id: delivered_to_account_id, delivery: true)
rescue ActiveRecord::RecordInvalid => e
Rails.logger.debug "Error processing incoming ActivityPub object: #{e}"
end
diff --git a/app/workers/digest_mailer_worker.rb b/app/workers/digest_mailer_worker.rb
deleted file mode 100644
index 21f1c357a..000000000
--- a/app/workers/digest_mailer_worker.rb
+++ /dev/null
@@ -1,21 +0,0 @@
-# frozen_string_literal: true
-
-class DigestMailerWorker
- include Sidekiq::Worker
-
- sidekiq_options queue: 'mailers'
-
- attr_reader :user
-
- def perform(user_id)
- @user = User.find(user_id)
- deliver_digest if @user.allows_digest_emails?
- end
-
- private
-
- def deliver_digest
- NotificationMailer.digest(user.account).deliver_now!
- user.touch(:last_emailed_at)
- end
-end
diff --git a/app/workers/refollow_worker.rb b/app/workers/refollow_worker.rb
index 319b00109..4b712d3aa 100644
--- a/app/workers/refollow_worker.rb
+++ b/app/workers/refollow_worker.rb
@@ -10,8 +10,9 @@ class RefollowWorker
return unless target_account.activitypub?
target_account.passive_relationships.where(account: Account.where(domain: nil)).includes(:account).reorder(nil).find_each do |follow|
- reblogs = follow.show_reblogs?
- notify = follow.notify?
+ reblogs = follow.show_reblogs?
+ notify = follow.notify?
+ languages = follow.languages
# Locally unfollow remote account
follower = follow.account
@@ -19,7 +20,7 @@ class RefollowWorker
# Schedule re-follow
begin
- FollowService.new.call(follower, target_account, reblogs: reblogs, notify: notify, bypass_limit: true)
+ FollowService.new.call(follower, target_account, reblogs: reblogs, notify: notify, languages: languages, bypass_limit: true)
rescue Mastodon::NotPermittedError, ActiveRecord::RecordNotFound, Mastodon::UnexpectedResponseError, HTTP::Error, OpenSSL::SSL::SSLError
next
end
diff --git a/app/workers/scheduler/backup_cleanup_scheduler.rb b/app/workers/scheduler/backup_cleanup_scheduler.rb
deleted file mode 100644
index 85d5312c0..000000000
--- a/app/workers/scheduler/backup_cleanup_scheduler.rb
+++ /dev/null
@@ -1,17 +0,0 @@
-# frozen_string_literal: true
-
-class Scheduler::BackupCleanupScheduler
- include Sidekiq::Worker
-
- sidekiq_options retry: 0
-
- def perform
- old_backups.reorder(nil).find_each(&:destroy!)
- end
-
- private
-
- def old_backups
- Backup.where('created_at < ?', 7.days.ago)
- end
-end
diff --git a/app/workers/scheduler/email_scheduler.rb b/app/workers/scheduler/email_scheduler.rb
deleted file mode 100644
index c052f2fce..000000000
--- a/app/workers/scheduler/email_scheduler.rb
+++ /dev/null
@@ -1,25 +0,0 @@
-# frozen_string_literal: true
-
-class Scheduler::EmailScheduler
- include Sidekiq::Worker
-
- sidekiq_options retry: 0
-
- FREQUENCY = 7.days.freeze
- SIGN_IN_OFFSET = 1.day.freeze
-
- def perform
- eligible_users.reorder(nil).find_each do |user|
- next unless user.allows_digest_emails?
- DigestMailerWorker.perform_async(user.id)
- end
- end
-
- private
-
- def eligible_users
- User.emailable
- .where('current_sign_in_at < ?', (FREQUENCY + SIGN_IN_OFFSET).ago)
- .where('last_emailed_at IS NULL OR last_emailed_at < ?', FREQUENCY.ago)
- end
-end
diff --git a/app/workers/scheduler/feed_cleanup_scheduler.rb b/app/workers/scheduler/feed_cleanup_scheduler.rb
deleted file mode 100644
index 78adc97e2..000000000
--- a/app/workers/scheduler/feed_cleanup_scheduler.rb
+++ /dev/null
@@ -1,40 +0,0 @@
-# frozen_string_literal: true
-
-class Scheduler::FeedCleanupScheduler
- include Sidekiq::Worker
- include Redisable
-
- sidekiq_options retry: 0
-
- def perform
- clean_home_feeds!
- clean_list_feeds!
- clean_direct_feeds!
- end
-
- private
-
- def clean_home_feeds!
- feed_manager.clean_feeds!(:home, inactive_account_ids)
- end
-
- def clean_list_feeds!
- feed_manager.clean_feeds!(:list, inactive_list_ids)
- end
-
- def clean_direct_feeds!
- feed_manager.clean_feeds!(:direct, inactive_account_ids)
- end
-
- def inactive_account_ids
- @inactive_account_ids ||= User.confirmed.inactive.pluck(:account_id)
- end
-
- def inactive_list_ids
- List.where(account_id: inactive_account_ids).pluck(:id)
- end
-
- def feed_manager
- FeedManager.instance
- end
-end
diff --git a/app/workers/scheduler/media_cleanup_scheduler.rb b/app/workers/scheduler/media_cleanup_scheduler.rb
deleted file mode 100644
index 24d30a6be..000000000
--- a/app/workers/scheduler/media_cleanup_scheduler.rb
+++ /dev/null
@@ -1,17 +0,0 @@
-# frozen_string_literal: true
-
-class Scheduler::MediaCleanupScheduler
- include Sidekiq::Worker
-
- sidekiq_options retry: 0
-
- def perform
- unattached_media.find_each(&:destroy)
- end
-
- private
-
- def unattached_media
- MediaAttachment.reorder(nil).unattached.where('created_at < ?', 1.day.ago)
- end
-end
diff --git a/app/workers/scheduler/vacuum_scheduler.rb b/app/workers/scheduler/vacuum_scheduler.rb
new file mode 100644
index 000000000..ce88ff204
--- /dev/null
+++ b/app/workers/scheduler/vacuum_scheduler.rb
@@ -0,0 +1,56 @@
+# frozen_string_literal: true
+
+class Scheduler::VacuumScheduler
+ include Sidekiq::Worker
+
+ sidekiq_options retry: 0
+
+ def perform
+ vacuum_operations.each do |operation|
+ operation.perform
+ rescue => e
+ Rails.logger.error("Error while running #{operation.class.name}: #{e}")
+ end
+ end
+
+ private
+
+ def vacuum_operations
+ [
+ statuses_vacuum,
+ media_attachments_vacuum,
+ preview_cards_vacuum,
+ backups_vacuum,
+ access_tokens_vacuum,
+ feeds_vacuum,
+ ]
+ end
+
+ def statuses_vacuum
+ Vacuum::StatusesVacuum.new(content_retention_policy.content_cache_retention_period)
+ end
+
+ def media_attachments_vacuum
+ Vacuum::MediaAttachmentsVacuum.new(content_retention_policy.media_cache_retention_period)
+ end
+
+ def preview_cards_vacuum
+ Vacuum::PreviewCardsVacuum.new(content_retention_policy.media_cache_retention_period)
+ end
+
+ def backups_vacuum
+ Vacuum::BackupsVacuum.new(content_retention_policy.backups_retention_period)
+ end
+
+ def access_tokens_vacuum
+ Vacuum::AccessTokensVacuum.new
+ end
+
+ def feeds_vacuum
+ Vacuum::FeedsVacuum.new
+ end
+
+ def content_retention_policy
+ ContentRetentionPolicy.current
+ end
+end
diff --git a/app/workers/unfollow_follow_worker.rb b/app/workers/unfollow_follow_worker.rb
index 0bd5ff472..7203b4888 100644
--- a/app/workers/unfollow_follow_worker.rb
+++ b/app/workers/unfollow_follow_worker.rb
@@ -10,11 +10,12 @@ class UnfollowFollowWorker
old_target_account = Account.find(old_target_account_id)
new_target_account = Account.find(new_target_account_id)
- follow = follower_account.active_relationships.find_by(target_account: old_target_account)
- reblogs = follow&.show_reblogs?
- notify = follow&.notify?
+ follow = follower_account.active_relationships.find_by(target_account: old_target_account)
+ reblogs = follow&.show_reblogs?
+ notify = follow&.notify?
+ languages = follow&.languages
- FollowService.new.call(follower_account, new_target_account, reblogs: reblogs, notify: notify, bypass_locked: bypass_locked, bypass_limit: true)
+ FollowService.new.call(follower_account, new_target_account, reblogs: reblogs, notify: notify, languages: languages, bypass_locked: bypass_locked, bypass_limit: true)
UnfollowService.new.call(follower_account, old_target_account, skip_unmerge: true)
rescue ActiveRecord::RecordNotFound, Mastodon::NotPermittedError
true
diff --git a/boxfile.yml b/boxfile.yml
deleted file mode 100644
index 27166cec9..000000000
--- a/boxfile.yml
+++ /dev/null
@@ -1,205 +0,0 @@
-run.config:
- engine: ruby
- engine.config:
- runtime: ruby-2.5
-
- extra_packages:
- # basic servers:
- - nginx
- - nodejs
-
- # for images:
- - ImageMagick
- - jemalloc
-
- # for videos:
- - ffmpeg3
-
- # to prep the .env file:
- - gettext-tools
-
- # for node-gyp, used in the asset compilation process:
- - python-2
-
- # i18n:
- - libidn
-
- cache_dirs:
- - node_modules
-
- extra_path_dirs:
- - node_modules/.bin
-
- build_triggers:
- - .ruby-version
- - Gemfile
- - Gemfile.lock
- - package.json
- - yarn.lock
-
- extra_steps:
- - cp .env.nanobox .env
- - yarn
-
- fs_watch: true
-
-deploy.config:
- extra_steps:
- - NODE_ENV=production bundle exec rake assets:precompile
- transform:
- - 'envsubst < /app/.env.nanobox > /app/.env.production'
- - |-
- if [ -z "$LOCAL_DOMAIN" ]
- then
- . /app/.env.production
- export LOCAL_DOMAIN
- fi
- erb /app/nanobox/nginx-web.conf.erb > /app/nanobox/nginx-web.conf
- erb /app/nanobox/nginx-stream.conf.erb > /app/nanobox/nginx-stream.conf
- - touch /app/log/production.log
- before_live:
- web.web:
- - bin/tootctl cache clear
- - bundle exec rake db:migrate:setup
- after_live:
- worker.sidekiq:
- - |-
- if [[ "${ES_ENABLED}" != "false" ]]
- then
- bin/tootctl search deploy
- fi
-
-web.web:
- start:
- nginx: nginx -c /app/nanobox/nginx-web.conf
- rails: bundle exec puma -C /app/config/puma.rb
-
- routes:
- - '/'
-
- writable_dirs:
- - tmp
-
- log_watch:
- rails: 'log/production.log'
-
- network_dirs:
- data.storage:
- - public/system
-
-web.stream:
- start:
- nginx: nginx -c /app/nanobox/nginx-stream.conf
- node: yarn run start
-
- routes:
- - '/api/v1/streaming*'
- # Somehow we're getting requests for scheme://domain//api/v1/streaming* - match those, too
- - '//api/v1/streaming*'
-
- writable_dirs:
- - tmp
-
-worker.sidekiq:
- start:
- default: bundle exec sidekiq -c 5 -q default -L /app/log/sidekiq.log
- mailers: bundle exec sidekiq -c 5 -q mailers -L /app/log/sidekiq.log
- pull: bundle exec sidekiq -c 5 -q pull -L /app/log/sidekiq.log
- push: bundle exec sidekiq -c 5 -q push -L /app/log/sidekiq.log
- scheduler: bundle exec sidekiq -c 5 -q scheduler -L /app/log/sidekiq.log
-
- writable_dirs:
- - tmp
-
- log_watch:
- rails: 'log/production.log'
- sidekiq: 'log/sidekiq.log'
-
- network_dirs:
- data.storage:
- - public/system
-
-data.db:
- image: nanobox/postgresql:9.6
-
- cron:
- - id: backup
- schedule: '0 3 * * *'
- command: |
- PGPASSWORD=${DATA_DB_PASS} pg_dump -U ${DATA_DB_USER} -w -Fc -O gonano |
- gzip |
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/backup-${HOSTNAME}-$(date -u +%Y-%m-%d.%H-%M-%S).sql.gz -X POST -T - >&2
- curl -k -s -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/ |
- sed 's/,/\n/g' |
- grep ${HOSTNAME} |
- sort |
- head -n-${BACKUP_COUNT:-1} |
- sed 's/.*: \?"\(.*\)".*/\1/' |
- while read file
- do
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/${file} -X DELETE
- done
-
-data.elastic:
- image: nanobox/elasticsearch:5
-
- cron:
- - id: backup
- schedule: '0 3 * * *'
- command: |
- id=$(cat /proc/sys/kernel/random/uuid)
- curl -X PUT -H "Content-Type: application/json" "127.0.0.1:9200/_snapshot/${id}" -d "{\"type\": \"fs\",\"settings\": {\"location\": \"/var/tmp/${id}\",\"compress\": true}}"
- curl -X PUT -H "Content-Type: application/json" "127.0.0.1:9200/_snapshot/${id}/backup?wait_for_completion=true&pretty"
- tar -cz -C "/var/tmp/${id}" . |
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/backup-${HOSTNAME}-$(date -u +%Y-%m-%d.%H-%M-%S).tgz -X POST -T - >&2
- curl -X DELETE -H "Content-Type: application/json" "127.0.0.1:9200/_snapshot/${id}"
- rm -rf "/var/tmp/${id}"
- curl -k -s -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/ |
- sed 's/,/\n/g' |
- grep ${HOSTNAME} |
- sort |
- head -n-${BACKUP_COUNT:-1} |
- sed 's/.*: \?"\(.*\)".*/\1/' |
- while read file
- do
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/${file} -X DELETE
- done
-
-data.redis:
- image: nanobox/redis:4.0
-
- cron:
- - id: backup
- schedule: '0 3 * * *'
- command: |
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/backup-${HOSTNAME}-$(date -u +%Y-%m-%d.%H-%M-%S).rdb -X POST -T /data/var/db/redis/dump.rdb >&2
- curl -k -s -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/ |
- sed 's/,/\n/g' |
- grep ${HOSTNAME} |
- sort |
- head -n-${BACKUP_COUNT:-1} |
- sed 's/.*: \?"\(.*\)".*/\1/' |
- while read file
- do
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/${file} -X DELETE
- done
-
-data.storage:
- image: nanobox/unfs:0.9
-
- cron:
- - id: backup
- schedule: '0 3 * * *'
- command: |
- tar cz -C /data/var/db/unfs/ . |
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/backup-${HOSTNAME}-$(date -u +%Y-%m-%d.%H-%M-%S).tgz -X POST -T - >&2
- curl -k -s -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/ |
- sed 's/,/\n/g' |
- grep ${HOSTNAME} |
- sort |
- head -n-${BACKUP_COUNT:-1} |
- sed 's/.*: \?"\(.*\)".*/\1/' |
- while read file
- do
- curl -k -H "X-AUTH-TOKEN: ${WAREHOUSE_DATA_HOARDER_TOKEN}" https://${WAREHOUSE_DATA_HOARDER_HOST}:7410/blobs/${file} -X DELETE
- done
diff --git a/chart/.helmignore b/chart/.helmignore
index 0e8a0eb36..886747ed0 100644
--- a/chart/.helmignore
+++ b/chart/.helmignore
@@ -21,3 +21,4 @@
.idea/
*.tmproj
.vscode/
+mastodon-*.tgz
diff --git a/chart/Chart.lock b/chart/Chart.lock
index d74e7570c..961e4fa80 100644
--- a/chart/Chart.lock
+++ b/chart/Chart.lock
@@ -1,12 +1,12 @@
dependencies:
- name: elasticsearch
- repository: https://charts.bitnami.com/bitnami
- version: 15.10.3
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
+ version: 19.0.1
- name: postgresql
- repository: https://charts.bitnami.com/bitnami
- version: 8.10.14
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
+ version: 11.1.3
- name: redis
- repository: https://charts.bitnami.com/bitnami
- version: 10.9.0
-digest: sha256:f5c57108f7768fd16391c1a050991c7809f84a640cca308d7d24d87379d04000
-generated: "2021-08-05T08:01:01.457727804Z"
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
+ version: 16.13.2
+digest: sha256:17ea58a3264aa22faff18215c4269f47dabae956d0df273c684972f356416193
+generated: "2022-08-08T21:44:18.0195364+02:00"
diff --git a/chart/Chart.yaml b/chart/Chart.yaml
index 1687132ac..b1138b594 100644
--- a/chart/Chart.yaml
+++ b/chart/Chart.yaml
@@ -15,7 +15,7 @@ type: application
# This is the chart version. This version number should be incremented each time you make changes
# to the chart and its templates, including the app version.
# Versions are expected to follow Semantic Versioning (https://semver.org/)
-version: 1.2.1
+version: 2.0.0
# This is the version number of the application being deployed. This version number should be
# incremented each time you make changes to the application. Versions are not expected to
@@ -24,13 +24,13 @@ appVersion: 3.3.0
dependencies:
- name: elasticsearch
- version: 15.10.3
- repository: https://charts.bitnami.com/bitnami
+ version: 19.0.1
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
condition: elasticsearch.enabled
- name: postgresql
- version: 8.10.14
- repository: https://charts.bitnami.com/bitnami
+ version: 11.1.3
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
condition: postgresql.enabled
- name: redis
- version: 10.9.0
- repository: https://charts.bitnami.com/bitnami
+ version: 16.13.2
+ repository: https://raw.githubusercontent.com/bitnami/charts/archive-full-index/bitnami
diff --git a/chart/templates/_helpers.tpl b/chart/templates/_helpers.tpl
index 5814a3120..71bb002ef 100644
--- a/chart/templates/_helpers.tpl
+++ b/chart/templates/_helpers.tpl
@@ -77,3 +77,53 @@ We truncate at 63 chars because some Kubernetes name fields are limited to this
{{- define "mastodon.postgresql.fullname" -}}
{{- printf "%s-%s" .Release.Name "postgresql" | trunc 63 | trimSuffix "-" -}}
{{- end -}}
+
+{{/*
+Get the mastodon secret.
+*/}}
+{{- define "mastodon.secretName" -}}
+{{- if .Values.mastodon.secrets.existingSecret }}
+ {{- printf "%s" (tpl .Values.mastodon.secrets.existingSecret $) -}}
+{{- else -}}
+ {{- printf "%s" (include "common.names.fullname" .) -}}
+{{- end -}}
+{{- end -}}
+
+{{/*
+Get the postgresql secret.
+*/}}
+{{- define "mastodon.postgresql.secretName" -}}
+{{- if (and (or .Values.postgresql.enabled .Values.postgresql.postgresqlHostname) .Values.postgresql.auth.existingSecret) }}
+ {{- printf "%s" (tpl .Values.postgresql.auth.existingSecret $) -}}
+{{- else if .Values.postgresql.enabled -}}
+ {{- printf "%s-postgresql" (tpl .Release.Name $) -}}
+{{- else -}}
+ {{- printf "%s" (include "common.names.fullname" .) -}}
+{{- end -}}
+{{- end -}}
+
+{{/*
+Get the redis secret.
+*/}}
+{{- define "mastodon.redis.secretName" -}}
+{{- if .Values.redis.auth.existingSecret }}
+ {{- printf "%s" (tpl .Values.redis.auth.existingSecret $) -}}
+{{- else if .Values.redis.existingSecret }}
+ {{- printf "%s" (tpl .Values.redis.existingSecret $) -}}
+{{- else -}}
+ {{- printf "%s-redis" (tpl .Release.Name $) -}}
+{{- end -}}
+{{- end -}}
+
+{{/*
+Return true if a mastodon secret object should be created
+*/}}
+{{- define "mastodon.createSecret" -}}
+{{- if (or
+ (and .Values.mastodon.s3.enabled (not .Values.mastodon.s3.existingSecret))
+ (not .Values.mastodon.secrets.existingSecret )
+ (and (not .Values.postgresql.enabled) (not .Values.postgresql.auth.existingSecret))
+ ) -}}
+ {{- true -}}
+{{- end -}}
+{{- end -}}
diff --git a/chart/templates/configmap-env.yaml b/chart/templates/configmap-env.yaml
index aa242684f..f988477d9 100644
--- a/chart/templates/configmap-env.yaml
+++ b/chart/templates/configmap-env.yaml
@@ -10,14 +10,14 @@ data:
{{- else }}
DB_HOST: {{ .Values.postgresql.postgresqlHostname }}
{{- end }}
- DB_NAME: {{ .Values.postgresql.postgresqlDatabase }}
+ DB_NAME: {{ .Values.postgresql.auth.database }}
DB_POOL: {{ .Values.mastodon.sidekiq.concurrency | quote }}
DB_PORT: "5432"
- DB_USER: {{ .Values.postgresql.postgresqlUsername }}
+ DB_USER: {{ .Values.postgresql.auth.username }}
DEFAULT_LOCALE: {{ .Values.mastodon.locale }}
{{- if .Values.elasticsearch.enabled }}
ES_ENABLED: "true"
- ES_HOST: {{ template "mastodon.elasticsearch.fullname" . }}-master
+ ES_HOST: {{ template "mastodon.elasticsearch.fullname" . }}-master-hl
ES_PORT: "9200"
{{- end }}
LOCAL_DOMAIN: {{ .Values.mastodon.local_domain }}
diff --git a/chart/templates/cronjob-media-remove.yaml b/chart/templates/cronjob-media-remove.yaml
index 3d6e25cc6..160aee204 100644
--- a/chart/templates/cronjob-media-remove.yaml
+++ b/chart/templates/cronjob-media-remove.yaml
@@ -1,5 +1,5 @@
{{ if .Values.mastodon.cron.removeMedia.enabled }}
-apiVersion: batch/v1beta1
+apiVersion: batch/v1
kind: CronJob
metadata:
name: {{ include "mastodon.fullname" . }}-media-remove
@@ -12,6 +12,10 @@ spec:
template:
metadata:
name: {{ include "mastodon.fullname" . }}-media-remove
+ {{- with .Values.jobAnnotations }}
+ annotations:
+ {{- toYaml . | nindent 12 }}
+ {{- end }}
spec:
restartPolicy: OnFailure
{{- if (not .Values.mastodon.s3.enabled) }}
@@ -49,21 +53,17 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
diff --git a/chart/templates/deployment-sidekiq.yaml b/chart/templates/deployment-sidekiq.yaml
index baf6c2b2d..f1809bd85 100644
--- a/chart/templates/deployment-sidekiq.yaml
+++ b/chart/templates/deployment-sidekiq.yaml
@@ -70,22 +70,31 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
+ {{- if .Values.mastodon.smtp.existingSecret }}
+ - name: "SMTP_LOGIN"
+ valueFrom:
+ secretKeyRef:
+ name: {{ .Values.mastodon.smtp.existingSecret }}
+ key: login
+ optional: true
+ - name: "SMTP_PASSWORD"
+ valueFrom:
+ secretKeyRef:
+ name: {{ .Values.mastodon.smtp.existingSecret }}
+ key: password
+ {{- end -}}
{{- if (not .Values.mastodon.s3.enabled) }}
volumeMounts:
- name: assets
diff --git a/chart/templates/deployment-streaming.yaml b/chart/templates/deployment-streaming.yaml
index b332b686a..12203a530 100644
--- a/chart/templates/deployment-streaming.yaml
+++ b/chart/templates/deployment-streaming.yaml
@@ -43,16 +43,12 @@ spec:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.streaming.port | quote }}
diff --git a/chart/templates/deployment-web.yaml b/chart/templates/deployment-web.yaml
index 8b8bb4f29..ab722c77b 100644
--- a/chart/templates/deployment-web.yaml
+++ b/chart/templates/deployment-web.yaml
@@ -56,24 +56,32 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
+ {{- if (and .Values.mastodon.s3.enabled .Values.mastodon.s3.existingSecret) }}
+ - name: "AWS_SECRET_ACCESS_KEY"
+ valueFrom:
+ secretKeyRef:
+ name: {{ .Values.mastodon.s3.existingSecret }}
+ key: AWS_SECRET_ACCESS_KEY
+ - name: "AWS_ACCESS_KEY_ID"
+ valueFrom:
+ secretKeyRef:
+ name: {{ .Values.mastodon.s3.existingSecret }}
+ key: AWS_ACCESS_KEY_ID
+ {{- end -}}
{{- if (not .Values.mastodon.s3.enabled) }}
volumeMounts:
- name: assets
diff --git a/chart/templates/job-assets-precompile.yaml b/chart/templates/job-assets-precompile.yaml
index 825a7e916..faa51a20d 100644
--- a/chart/templates/job-assets-precompile.yaml
+++ b/chart/templates/job-assets-precompile.yaml
@@ -12,6 +12,10 @@ spec:
template:
metadata:
name: {{ include "mastodon.fullname" . }}-assets-precompile
+ {{- with .Values.jobAnnotations }}
+ annotations:
+ {{- toYaml . | nindent 8 }}
+ {{- end }}
spec:
restartPolicy: Never
{{- if (not .Values.mastodon.s3.enabled) }}
@@ -50,21 +54,17 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
diff --git a/chart/templates/job-chewy-upgrade.yaml b/chart/templates/job-chewy-upgrade.yaml
index cc68a3385..ae6fb38e1 100644
--- a/chart/templates/job-chewy-upgrade.yaml
+++ b/chart/templates/job-chewy-upgrade.yaml
@@ -13,6 +13,10 @@ spec:
template:
metadata:
name: {{ include "mastodon.fullname" . }}-chewy-upgrade
+ {{- with .Values.jobAnnotations }}
+ annotations:
+ {{- toYaml . | nindent 8 }}
+ {{- end }}
spec:
restartPolicy: Never
{{- if (not .Values.mastodon.s3.enabled) }}
@@ -51,21 +55,17 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
diff --git a/chart/templates/job-create-admin.yaml b/chart/templates/job-create-admin.yaml
index ffb8bb059..659c00671 100644
--- a/chart/templates/job-create-admin.yaml
+++ b/chart/templates/job-create-admin.yaml
@@ -13,6 +13,10 @@ spec:
template:
metadata:
name: {{ include "mastodon.fullname" . }}-create-admin
+ {{- with .Values.jobAnnotations }}
+ annotations:
+ {{- toYaml . | nindent 8 }}
+ {{- end }}
spec:
restartPolicy: Never
{{- if (not .Values.mastodon.s3.enabled) }}
@@ -56,21 +60,17 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
diff --git a/chart/templates/job-db-migrate.yaml b/chart/templates/job-db-migrate.yaml
index 72f910e3b..8e4f70dfb 100644
--- a/chart/templates/job-db-migrate.yaml
+++ b/chart/templates/job-db-migrate.yaml
@@ -12,6 +12,10 @@ spec:
template:
metadata:
name: {{ include "mastodon.fullname" . }}-db-migrate
+ {{- with .Values.jobAnnotations }}
+ annotations:
+ {{- toYaml . | nindent 8 }}
+ {{- end }}
spec:
restartPolicy: Never
{{- if (not .Values.mastodon.s3.enabled) }}
@@ -50,21 +54,17 @@ spec:
- configMapRef:
name: {{ include "mastodon.fullname" . }}-env
- secretRef:
- name: {{ template "mastodon.fullname" . }}
+ name: {{ template "mastodon.secretName" . }}
env:
- name: "DB_PASS"
valueFrom:
secretKeyRef:
- {{- if .Values.postgresql.enabled }}
- name: {{ .Release.Name }}-postgresql
- {{- else }}
- name: {{ template "mastodon.fullname" . }}
- {{- end }}
- key: postgresql-password
+ name: {{ template "mastodon.postgresql.secretName" . }}
+ key: password
- name: "REDIS_PASSWORD"
valueFrom:
secretKeyRef:
- name: {{ .Release.Name }}-redis
+ name: {{ template "mastodon.redis.secretName" . }}
key: redis-password
- name: "PORT"
value: {{ .Values.mastodon.web.port | quote }}
diff --git a/chart/templates/secrets.yaml b/chart/templates/secrets.yaml
index 0452a8ae1..135d5b61a 100644
--- a/chart/templates/secrets.yaml
+++ b/chart/templates/secrets.yaml
@@ -1,3 +1,4 @@
+{{- if (include "mastodon.createSecret" .) }}
apiVersion: v1
kind: Secret
metadata:
@@ -7,9 +8,12 @@ metadata:
type: Opaque
data:
{{- if .Values.mastodon.s3.enabled }}
+ {{- if not .Values.mastodon.s3.existingSecret }}
AWS_ACCESS_KEY_ID: "{{ .Values.mastodon.s3.access_key | b64enc }}"
AWS_SECRET_ACCESS_KEY: "{{ .Values.mastodon.s3.access_secret | b64enc }}"
{{- end }}
+ {{- end }}
+ {{- if not .Values.mastodon.secrets.existingSecret }}
{{- if not (empty .Values.mastodon.secrets.secret_key_base) }}
SECRET_KEY_BASE: "{{ .Values.mastodon.secrets.secret_key_base | b64enc }}"
{{- else }}
@@ -30,6 +34,10 @@ data:
{{- else }}
VAPID_PUBLIC_KEY: {{ required "vapid.public_key is required" .Values.mastodon.secrets.vapid.public_key }}
{{- end }}
- {{- if not .Values.postgresql.enabled }}
- postgresql-password: "{{ .Values.postgresql.postgresqlPassword | b64enc }}"
{{- end }}
+ {{- if not .Values.postgresql.enabled }}
+ {{- if not .Values.postgresql.auth.existingSecret }}
+ postgresql-password: "{{ .Values.postgresql.auth.password | b64enc }}"
+ {{- end }}
+ {{- end }}
+{{- end -}}
diff --git a/chart/values.yaml b/chart/values.yaml
index 2cfa3484b..4b18a9dfa 100644
--- a/chart/values.yaml
+++ b/chart/values.yaml
@@ -48,6 +48,9 @@ mastodon:
enabled: false
access_key: ""
access_secret: ""
+ # you can also specify the name of an existing Secret
+ # with keys AWS_ACCESS_KEY_ID and AWS_SECRET_ACCESS_KEY
+ existingSecret: ""
bucket: ""
endpoint: https://us-east-1.linodeobjects.com
hostname: us-east-1.linodeobjects.com
@@ -61,6 +64,10 @@ mastodon:
vapid:
private_key: ""
public_key: ""
+ # you can also specify the name of an existing Secret
+ # with keys SECRET_KEY_BASE and OTP_SECRET and
+ # VAPID_PRIVATE_KEY and VAPID_PUBLIC_KEY
+ existingSecret: ""
sidekiq:
concurrency: 25
smtp:
@@ -70,13 +77,16 @@ mastodon:
domain:
enable_starttls_auto: true
from_address: notifications@example.com
- login:
openssl_verify_mode: peer
- password:
port: 587
reply_to:
server: smtp.mailgun.org
tls: false
+ login:
+ password:
+ # you can also specify the name of an existing Secret
+ # with the keys login and password
+ existingSecret:
streaming:
port: 4000
# this should be set manually since os.cpus() returns the number of CPUs on
@@ -127,18 +137,26 @@ postgresql:
# must match those of that external postgres instance
enabled: true
# postgresqlHostname: preexisting-postgresql
- postgresqlDatabase: mastodon_production
- # you must set a password; the password generated by the postgresql chart will
- # be rotated on each upgrade:
- # https://github.com/bitnami/charts/tree/master/bitnami/postgresql#upgrade
- postgresqlPassword: ""
- postgresqlUsername: postgres
+ auth:
+ database: mastodon_production
+ username: postgres
+ # you must set a password; the password generated by the postgresql chart will
+ # be rotated on each upgrade:
+ # https://github.com/bitnami/charts/tree/master/bitnami/postgresql#upgrade
+ password: ""
+ # you can also specify the name of an existing Secret
+ # with a key of postgres-password set to the password you want
+ existingSecret: ""
# https://github.com/bitnami/charts/tree/master/bitnami/redis#parameters
redis:
# you must set a password; the password generated by the redis chart will be
# rotated on each upgrade:
password: ""
+ # you can also specify the name of an existing Secret
+ # with a key of redis-password set to the password you want
+ # auth:
+ # existingSecret: ""
service:
type: ClusterIP
@@ -157,45 +175,45 @@ externalAuth:
# client_secret: SECRETKEY
# redirect_uri: https://example.com/auth/auth/openid_connect/callback
# assume_email_is_verified: true
- # client_auth_method:
- # response_type:
- # response_mode:
- # display:
- # prompt:
- # send_nonce:
- # send_scope_to_token_endpoint:
- # idp_logout_redirect_uri:
- # http_scheme:
- # host:
- # port:
- # jwks_uri:
- # auth_endpoint:
- # token_endpoint:
- # user_info_endpoint:
- # end_session_endpoint:
+ # client_auth_method:
+ # response_type:
+ # response_mode:
+ # display:
+ # prompt:
+ # send_nonce:
+ # send_scope_to_token_endpoint:
+ # idp_logout_redirect_uri:
+ # http_scheme:
+ # host:
+ # port:
+ # jwks_uri:
+ # auth_endpoint:
+ # token_endpoint:
+ # user_info_endpoint:
+ # end_session_endpoint:
saml:
enabled: false
# acs_url: http://mastodon.example.com/auth/auth/saml/callback
# issuer: mastodon
# idp_sso_target_url: https://login.example.com/auth/realms/example/protocol/saml
# idp_cert: '-----BEGIN CERTIFICATE-----[your_cert_content]-----END CERTIFICATE-----'
- # idp_cert_fingerprint:
+ # idp_cert_fingerprint:
# name_identifier_format: urn:oasis:names:tc:SAML:1.1:nameid-format:unspecified
- # cert:
- # private_key:
+ # cert:
+ # private_key:
# want_assertion_signed: true
# want_assertion_encrypted: true
# assume_email_is_verified: true
# uid_attribute: "urn:oid:0.9.2342.19200300.100.1.1"
- # attributes_statements:
+ # attributes_statements:
# uid: "urn:oid:0.9.2342.19200300.100.1.1"
# email: "urn:oid:1.3.6.1.4.1.5923.1.1.1.6"
# full_name: "urn:oid:2.16.840.1.113730.3.1.241"
# first_name: "urn:oid:2.5.4.42"
# last_name: "urn:oid:2.5.4.4"
- # verified:
- # verified_email:
- oauth_global:
+ # verified:
+ # verified_email:
+ oauth_global:
# Force redirect local login to CAS. Does not function with SAML or LDAP.
oauth_redirect_at_sign_in: false
cas:
@@ -204,15 +222,15 @@ externalAuth:
# host: sso.myserver.com
# port: 443
# ssl: true
- # validate_url:
- # callback_url:
- # logout_url:
- # login_url:
+ # validate_url:
+ # callback_url:
+ # logout_url:
+ # login_url:
# uid_field: 'user'
- # ca_path:
+ # ca_path:
# disable_ssl_verification: false
# assume_email_is_verified: true
- # keys:
+ # keys:
# uid: 'user'
# name: 'name'
# email: 'email'
@@ -222,7 +240,7 @@ externalAuth:
# location: 'location'
# image: 'image'
# phone: 'phone'
- pam:
+ pam:
enabled: false
# email_domain: example.com
# default_service: rpam
@@ -232,9 +250,9 @@ externalAuth:
# host: myservice.namespace.svc
# port: 389
# method: simple_tls
- # base:
- # bind_on:
- # password:
+ # base:
+ # bind_on:
+ # password:
# uid: cn
# mail: mail
# search_filter: "(|(%{uid}=%{email})(%{mail}=%{email}))"
@@ -263,8 +281,14 @@ serviceAccount:
# If not set and create is true, a name is generated using the fullname template
name: ""
+# Kubernetes manages pods for jobs and pods for deployments differently, so you might
+# need to apply different annotations to the two different sets of pods. The annotations
+# set with podAnnotations will be added to all deployment-managed pods.
podAnnotations: {}
+# The annotations set with jobAnnotations will be added to all job pods.
+jobAnnotations: {}
+
resources: {}
# We usually recommend not to specify default resources and to leave this as a conscious
# choice for the user. This also increases chances charts run on environments with little
diff --git a/config/application.rb b/config/application.rb
index 06360832c..2e54eb6f6 100644
--- a/config/application.rb
+++ b/config/application.rb
@@ -165,7 +165,6 @@ module Mastodon
config.active_job.queue_adapter = :sidekiq
config.middleware.use Rack::Attack
- config.middleware.use Rack::Deflater
config.middleware.use Mastodon::RackMiddleware
config.to_prepare do
diff --git a/config/deploy.rb b/config/deploy.rb
index 8a2316b57..2bdb11595 100644
--- a/config/deploy.rb
+++ b/config/deploy.rb
@@ -1,6 +1,6 @@
# frozen_string_literal: true
-lock '3.17.0'
+lock '3.17.1'
set :repo_url, ENV.fetch('REPO', 'https://github.com/mastodon/mastodon.git')
set :branch, ENV.fetch('BRANCH', 'master')
diff --git a/config/environments/production.rb b/config/environments/production.rb
index 1db7b018a..5434d6a81 100644
--- a/config/environments/production.rb
+++ b/config/environments/production.rb
@@ -47,7 +47,7 @@ Rails.application.configure do
config.force_ssl = true
config.ssl_options = {
redirect: {
- exclude: -> request { request.path.start_with?('/health') || request.headers["Host"].end_with?('.onion') }
+ exclude: -> request { request.path.start_with?('/health') || request.headers["Host"].end_with?('.onion') || request.headers["Host"].end_with?('.i2p') }
}
}
diff --git a/config/initializers/http_client_proxy.rb b/config/initializers/http_client_proxy.rb
index 7a9b7b86d..b29e9edd7 100644
--- a/config/initializers/http_client_proxy.rb
+++ b/config/initializers/http_client_proxy.rb
@@ -18,5 +18,22 @@ Rails.application.configure do
}.compact
end
+ if ENV['http_hidden_proxy'].present?
+ proxy = URI.parse(ENV['http_hidden_proxy'])
+
+ raise "Unsupported proxy type: #{proxy.scheme}" unless %w(http https).include? proxy.scheme
+ raise "No proxy host" unless proxy.host
+
+ host = proxy.host
+ host = host[1...-1] if host[0] == '[' # for IPv6 address
+
+ config.x.http_client_hidden_proxy[:proxy] = {
+ proxy_address: host,
+ proxy_port: proxy.port,
+ proxy_username: proxy.user,
+ proxy_password: proxy.password,
+ }.compact
+ end
+
config.x.access_to_hidden_service = ENV['ALLOW_ACCESS_TO_HIDDEN_SERVICE'] == 'true'
end
diff --git a/config/initializers/inflections.rb b/config/initializers/inflections.rb
index 3e5a55617..a361cb0ec 100644
--- a/config/initializers/inflections.rb
+++ b/config/initializers/inflections.rb
@@ -25,6 +25,7 @@ ActiveSupport::Inflector.inflections(:en) do |inflect|
inflect.acronym 'REST'
inflect.acronym 'URL'
inflect.acronym 'ASCII'
+ inflect.acronym 'DeepL'
inflect.singular 'data', 'data'
end
diff --git a/config/initializers/locale.rb b/config/initializers/locale.rb
index fed182a71..4bcb1854c 100644
--- a/config/initializers/locale.rb
+++ b/config/initializers/locale.rb
@@ -1,7 +1,9 @@
# frozen_string_literal: true
-I18n.load_path += Dir[Rails.root.join('app', 'javascript', 'flavours', '*', 'names.{rb,yml}').to_s]
-I18n.load_path += Dir[Rails.root.join('app', 'javascript', 'flavours', '*', 'names', '*.{rb,yml}').to_s]
-I18n.load_path += Dir[Rails.root.join('app', 'javascript', 'skins', '*', '*', 'names.{rb,yml}').to_s]
-I18n.load_path += Dir[Rails.root.join('app', 'javascript', 'skins', '*', '*', 'names', '*.{rb,yml}').to_s]
-I18n.load_path += Dir[Rails.root.join('config', 'locales-glitch', '*.{rb,yml}').to_s]
+Rails.application.configure do
+ config.i18n.load_path += Dir[Rails.root.join('app', 'javascript', 'flavours', '*', 'names.{rb,yml}').to_s]
+ config.i18n.load_path += Dir[Rails.root.join('app', 'javascript', 'flavours', '*', 'names', '*.{rb,yml}').to_s]
+ config.i18n.load_path += Dir[Rails.root.join('app', 'javascript', 'skins', '*', '*', 'names.{rb,yml}').to_s]
+ config.i18n.load_path += Dir[Rails.root.join('app', 'javascript', 'skins', '*', '*', 'names', '*.{rb,yml}').to_s]
+ config.i18n.load_path += Dir[Rails.root.join('config', 'locales-glitch', '*.{rb,yml}').to_s]
+end
diff --git a/config/locales/activerecord.cs.yml b/config/locales/activerecord.cs.yml
index d306fe627..5505254e5 100644
--- a/config/locales/activerecord.cs.yml
+++ b/config/locales/activerecord.cs.yml
@@ -38,3 +38,14 @@ cs:
email:
blocked: používá zakázanou e-mailovou službu
unreachable: pravděpodobně neexistuje
+ role_id:
+ elevated: nemůže být vyšší než vaše aktuální role
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: obsahuje oprávnění, která nejsou bezpečná pro základní roli
+ elevated: nemůže obsahovat oprávnění, která vaše aktuální role nemá
+ own_role: nelze změnit s vaší aktuální rolí
+ position:
+ elevated: nemůže být vyšší než vaše aktuální role
+ own_role: nelze změnit s vaší aktuální rolí
diff --git a/config/locales/activerecord.de.yml b/config/locales/activerecord.de.yml
index a24862a70..d3c013dc0 100644
--- a/config/locales/activerecord.de.yml
+++ b/config/locales/activerecord.de.yml
@@ -38,3 +38,14 @@ de:
email:
blocked: verwendet einen nicht erlaubten E-Mail-Anbieter
unreachable: scheint nicht zu existieren
+ role_id:
+ elevated: Kann nicht höher als Ihre aktuelle Rolle sein
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: enthalte Berechtigungen, die für die Basisrolle nicht sicher sind
+ elevated: kann keine Berechtigungen enthalten, die deine aktuelle Rolle nicht besitzt
+ own_role: kann nicht mit deiner aktuellen Rolle geändert werden
+ position:
+ elevated: kann nicht höher sein als deine aktuelle Rolle
+ own_role: kann nicht mit deiner aktuellen Rolle geändert werden
diff --git a/config/locales/activerecord.es-MX.yml b/config/locales/activerecord.es-MX.yml
index 37b9b05df..c7283aafd 100644
--- a/config/locales/activerecord.es-MX.yml
+++ b/config/locales/activerecord.es-MX.yml
@@ -45,5 +45,7 @@ es-MX:
permissions_as_keys:
dangerous: incluir permisos que no son seguros para el rol base
elevated: no se pueden incluir permisos que tu rol actual no posea
+ own_role: no se puede cambiar con tu rol actual
position:
elevated: no puede ser mayor que tu rol actual
+ own_role: no se puede cambiar con tu rol actual
diff --git a/config/locales/activerecord.fi.yml b/config/locales/activerecord.fi.yml
index 40dd81812..f9798cabe 100644
--- a/config/locales/activerecord.fi.yml
+++ b/config/locales/activerecord.fi.yml
@@ -21,6 +21,14 @@ fi:
username:
invalid: saa sisältää vain kirjaimia, numeroita ja alaviivoja
reserved: on varattu
+ admin/webhook:
+ attributes:
+ url:
+ invalid: ei ole kelvollinen URL
+ doorkeeper/application:
+ attributes:
+ website:
+ invalid: ei ole kelvollinen URL
status:
attributes:
reblog:
@@ -30,3 +38,14 @@ fi:
email:
blocked: käyttää kiellettyä sähköpostipalvelun tarjoajaa
unreachable: ei näytä olevan olemassa
+ role_id:
+ elevated: ei voi olla korkeampi kuin nykyinen roolisi
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: sisältää oikeudet, jotka eivät ole turvallisia perusroolille
+ elevated: ei voi sisältää oikeuksia, joita nykyisellä roolillasi ei ole
+ own_role: ei voi muuttaa nykyisellä roolillasi
+ position:
+ elevated: ei voi olla korkeampi kuin nykyinen roolisi
+ own_role: ei voi muuttaa nykyisellä roolillasi
diff --git a/config/locales/activerecord.fr.yml b/config/locales/activerecord.fr.yml
index bc063864a..cc650cec8 100644
--- a/config/locales/activerecord.fr.yml
+++ b/config/locales/activerecord.fr.yml
@@ -45,5 +45,7 @@ fr:
permissions_as_keys:
dangerous: inclure des autorisations non sécurisées pour le rôle de base
elevated: ne peut pas inclure des autorisations que votre rôle actuel ne possède pas
+ own_role: ne peut pas être modifié avec votre rôle actuel
position:
elevated: ne peut pas être supérieur à votre rôle actuel
+ own_role: ne peut pas être modifié avec votre rôle actuel
diff --git a/config/locales/activerecord.gd.yml b/config/locales/activerecord.gd.yml
index 2920b561e..b210144ef 100644
--- a/config/locales/activerecord.gd.yml
+++ b/config/locales/activerecord.gd.yml
@@ -21,6 +21,14 @@ gd:
username:
invalid: "– chan fhaod ach litrichean gun sràcan, àireamhan ’s fo-loidhnichean a bhith ’na bhroinn"
reserved: "– tha e glèidhte"
+ admin/webhook:
+ attributes:
+ url:
+ invalid: "– chan eil seo ’na URL dligheach"
+ doorkeeper/application:
+ attributes:
+ website:
+ invalid: "– chan eil seo ’na URL dligheach"
status:
attributes:
reblog:
@@ -30,3 +38,14 @@ gd:
email:
blocked: "– tha seo a’ chleachdadh solaraiche puist-d nach eil ceadaichte"
unreachable: "– tha coltas nach eil seo ann"
+ role_id:
+ elevated: "– chan fhaod seo a bhith nas àirde na an dreuchd a th’ agad an-dràsta"
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: gabh a-staigh na ceadan nach eil sàbhailte dhan bhun-dreuchd
+ elevated: chan urrainn dhut ceadan a ghabhail a-staigh nach eil aig an dreuchd a th’ agad an-dràsta
+ own_role: cha ghabh seo atharrachadh leis an dreuchd a th’ agad an-dràsta
+ position:
+ elevated: chan fhaod seo a bhith nas àirde na an dreuchd a th’ agad an-dràsta
+ own_role: cha ghabh seo atharrachadh leis an dreuchd a th’ agad an-dràsta
diff --git a/config/locales/activerecord.he.yml b/config/locales/activerecord.he.yml
index 5dc8ddc96..7a9d54cd2 100644
--- a/config/locales/activerecord.he.yml
+++ b/config/locales/activerecord.he.yml
@@ -21,6 +21,14 @@ he:
username:
invalid: ספרות, אותיות לטיניות וקו תחתי בלבד
reserved: שמור
+ admin/webhook:
+ attributes:
+ url:
+ invalid: כתובת לא חוקית
+ doorkeeper/application:
+ attributes:
+ website:
+ invalid: הינה כתובת לא חוקית
status:
attributes:
reblog:
@@ -30,3 +38,14 @@ he:
email:
blocked: עושה שימוש בספק דוא"ל אסור
unreachable: נראה שלא קיים
+ role_id:
+ elevated: לא יכול להיות גבוה יותר מתפקידך הנוכחי
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: כלול הרשאות לא בטוחות לתפקיד הבסיסי
+ elevated: לא ניתן לכלול הרשאות שתפקידך הנוכחי לא כולל
+ own_role: לא ניתן למזג על תפקידך הנוכחי
+ position:
+ elevated: לא יכול להיות גבוה יותר מתפקידך הנוכחי
+ own_role: לא ניתן לשנות באמצעות תפקידך הנוכחי
diff --git a/config/locales/activerecord.ja.yml b/config/locales/activerecord.ja.yml
index 52b1b37fd..06d63da7a 100644
--- a/config/locales/activerecord.ja.yml
+++ b/config/locales/activerecord.ja.yml
@@ -38,3 +38,9 @@ ja:
email:
blocked: は禁止されているメールプロバイダを使用しています
unreachable: は存在しないようです
+ user_role:
+ attributes:
+ permissions_as_keys:
+ own_role: 現在と同じロールには変更できません
+ position:
+ own_role: 現在と同じロールには変更できません
diff --git a/config/locales/activerecord.ku.yml b/config/locales/activerecord.ku.yml
index ee8d9a8d8..3eec2950c 100644
--- a/config/locales/activerecord.ku.yml
+++ b/config/locales/activerecord.ku.yml
@@ -45,5 +45,7 @@ ku:
permissions_as_keys:
dangerous: mafdayînên ku ji bo rola bingehîn ne ewle ne tê de hene
elevated: di rola te ya heyî de nabe mafdayîn tê de hebin
+ own_role: bi rola te ya heyî nayê guhertin
position:
elevated: nabe ku ji rola te ya heyî bilindtir be
+ own_role: bi rola te ya heyî nayê guhertin
diff --git a/config/locales/activerecord.nl.yml b/config/locales/activerecord.nl.yml
index 9d3adf290..7bfe0f710 100644
--- a/config/locales/activerecord.nl.yml
+++ b/config/locales/activerecord.nl.yml
@@ -38,3 +38,14 @@ nl:
email:
blocked: gebruikt een niet toegestane e-mailprovider
unreachable: schijnt niet te bestaan
+ role_id:
+ elevated: kan niet hoger zijn dan jouw huidige rol
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: rechten toevoegen die niet veilig zijn voor de basisrol
+ elevated: kan geen rechten toevoegen die jouw huidige rol niet bezit
+ own_role: kan niet met jouw huidige rol worden gewijzigd
+ position:
+ elevated: kan niet hoger zijn dan jouw huidige rol
+ own_role: kan niet met jouw huidige rol worden gewijzigd
diff --git a/config/locales/activerecord.nn.yml b/config/locales/activerecord.nn.yml
index f23f9ae6c..ce37d1856 100644
--- a/config/locales/activerecord.nn.yml
+++ b/config/locales/activerecord.nn.yml
@@ -6,11 +6,12 @@ nn:
expires_at: Frist
options: Val
user:
- email: E-mail address
+ agreement: Serviceavtale
+ email: Epostadresse
locale: Område
password: Passord
user/account:
- username: Brukernavn
+ username: Brukarnamn
user/invite_request:
text: Grunn
errors:
@@ -18,9 +19,32 @@ nn:
account:
attributes:
username:
- invalid: bare bokstaver, tall og understreker
+ invalid: må innehalde kun bokstavar, tal og understrekar
reserved: er reservert
+ admin/webhook:
+ attributes:
+ url:
+ invalid: er ikkje ein gyldig URL
+ doorkeeper/application:
+ attributes:
+ website:
+ invalid: er ikkje ein gyldig URL
status:
attributes:
reblog:
- taken: av status eksisterer allerede
+ taken: av innlegg eksisterer allereie
+ user:
+ attributes:
+ email:
+ unreachable: ser ikkje ut til å eksistere
+ role_id:
+ elevated: kan ikkje vere høgare enn di noverande rolle
+ user_role:
+ attributes:
+ permissions_as_keys:
+ dangerous: inkluder tillatingar som ikkje er trygge for basisrolla
+ elevated: kan ikkje inkludere rettigheiter di noverande rolle ikkje innehar
+ own_role: kan ikkje endrast med di noverande rolle
+ position:
+ elevated: kan ikkje vere høgare enn di noverande rolle
+ own_role: kan ikkje endrast med di noverande rolle
diff --git a/config/locales/activerecord.pl.yml b/config/locales/activerecord.pl.yml
index 78ee745e2..68d0b7784 100644
--- a/config/locales/activerecord.pl.yml
+++ b/config/locales/activerecord.pl.yml
@@ -43,6 +43,8 @@ pl:
user_role:
attributes:
permissions_as_keys:
+ dangerous: dołącz uprawnienia, które nie są bezpieczne dla roli podstawowej
+ elevated: nie może zawierać uprawnień, jakie twoja obecna rola nie posiada
own_role: nie można zmienić z aktualną rolą
position:
elevated: nie może być wyższa niż twoja bieżąca rola
diff --git a/config/locales/activerecord.pt-BR.yml b/config/locales/activerecord.pt-BR.yml
index ad034fdbc..105f5a550 100644
--- a/config/locales/activerecord.pt-BR.yml
+++ b/config/locales/activerecord.pt-BR.yml
@@ -38,3 +38,13 @@ pt-BR:
email:
blocked: usa provedor de e-mail não permitido
unreachable: parece não existir
+ role_id:
+ elevated: não pode ser maior do que sua função atual
+ user_role:
+ attributes:
+ permissions_as_keys:
+ elevated: não pode incluir permissões que a sua função atual não possui
+ own_role: não pode ser alterado com sua função atual
+ position:
+ elevated: não pode ser maior do que sua função atual
+ own_role: não pode ser alterado com sua função atual
diff --git a/config/locales/activerecord.ru.yml b/config/locales/activerecord.ru.yml
index 2a267cfd2..fb8c6dde5 100644
--- a/config/locales/activerecord.ru.yml
+++ b/config/locales/activerecord.ru.yml
@@ -44,4 +44,8 @@ ru:
attributes:
permissions_as_keys:
dangerous: включить разрешения, небезопасные для базовой роли
+ elevated: не может включать разрешения, которыми не обладает ваша текущая роль
+ own_role: невозможно изменить с вашей текущей ролью
+ position:
+ elevated: не может быть выше, чем ваша текущая роль
own_role: невозможно изменить с вашей текущей ролью
diff --git a/config/locales/activerecord.th.yml b/config/locales/activerecord.th.yml
index 716c003e9..64586f5bb 100644
--- a/config/locales/activerecord.th.yml
+++ b/config/locales/activerecord.th.yml
@@ -43,7 +43,9 @@ th:
user_role:
attributes:
permissions_as_keys:
- dangerous: รวมสิทธิ์ที่ไม่ปลอดภัยสำหรับบทบาทพื้นฐาน
- elevated: ไม่สามารถรวบรวมสิทธิ์ในบทบาทปัจจุบันของคุณไม่ได้
+ dangerous: รวมสิทธิอนุญาตที่ไม่ปลอดภัยสำหรับบทบาทพื้นฐาน
+ elevated: ไม่สามารถรวมสิทธิอนุญาตที่บทบาทปัจจุบันของคุณไม่มี
+ own_role: ไม่สามารถเปลี่ยนด้วยบทบาทปัจจุบันของคุณ
position:
elevated: ไม่สามารถสูงกว่าบทบาทปัจจุบันของคุณ
+ own_role: ไม่สามารถเปลี่ยนด้วยบทบาทปัจจุบันของคุณ
diff --git a/config/locales/activerecord.tr.yml b/config/locales/activerecord.tr.yml
index e9f8a9fff..f0787dc41 100644
--- a/config/locales/activerecord.tr.yml
+++ b/config/locales/activerecord.tr.yml
@@ -45,5 +45,7 @@ tr:
permissions_as_keys:
dangerous: temel rol için güvenli olmayan izinleri içerir
elevated: mevcut rolünüzün sahip olmadığı izinleri içeremez
+ own_role: mevcut rolünüzle değiştirilemez
position:
elevated: mevcut rolünüzden yüksek olamaz
+ own_role: mevcut rolünüzle değiştirilemez
diff --git a/config/locales/activerecord.vi.yml b/config/locales/activerecord.vi.yml
index aeffa3daf..9062dc532 100644
--- a/config/locales/activerecord.vi.yml
+++ b/config/locales/activerecord.vi.yml
@@ -45,5 +45,7 @@ vi:
permissions_as_keys:
dangerous: bao gồm các quyền không an toàn cho vai trò cơ bản
elevated: không thể bao gồm các quyền mà vai trò hiện tại của bạn không có
+ own_role: không thể thay đổi vai trò hiện tại của bạn
position:
elevated: không thể cao hơn vai trò hiện tại của bạn
+ own_role: không thể thay đổi vai trò hiện tại của bạn
diff --git a/config/locales/activerecord.zh-CN.yml b/config/locales/activerecord.zh-CN.yml
index 27ec73ab9..c46c87451 100644
--- a/config/locales/activerecord.zh-CN.yml
+++ b/config/locales/activerecord.zh-CN.yml
@@ -19,27 +19,27 @@ zh-CN:
account:
attributes:
username:
- invalid: 只能使用字母、数字和下划线
+ invalid: 只能包含字母、数字和下划线
reserved: 是保留关键字
admin/webhook:
attributes:
url:
- invalid: 不是有效的 URL。
+ invalid: 非有效网址
doorkeeper/application:
attributes:
website:
- invalid: 网址无效
+ invalid: 非有效网址
status:
attributes:
reblog:
- taken: 已经被转嘟过
+ taken: 已被转嘟过
user:
attributes:
email:
blocked: 使用了被封禁的电子邮件提供商
unreachable: 似乎不存在
role_id:
- elevated: 不能高于您当前的角色
+ elevated: 不能高于您当前的身份
user_role:
attributes:
permissions_as_keys:
@@ -48,3 +48,4 @@ zh-CN:
own_role: 无法以您当前的身份更改
position:
elevated: 不能高于您当前的角色
+ own_role: 无法以您当前的身份更改
diff --git a/config/locales/ar.yml b/config/locales/ar.yml
index bac1e661d..691cc8689 100644
--- a/config/locales/ar.yml
+++ b/config/locales/ar.yml
@@ -28,7 +28,6 @@ ar:
learn_more: تعلم المزيد
logged_in_as_html: أنت متصل حالياً كـ %{username}.
logout_before_registering: أنت متصل سلفًا.
- privacy_policy: سياسة الخصوصية
rules: قوانين الخادم
rules_html: 'فيما يلي ملخص للقوانين التي تحتاج إلى اتباعها إذا كنت تريد أن يكون لديك حساب على هذا الخادم من ماستدون:'
see_whats_happening: اطّلع على ما يجري
@@ -42,7 +41,6 @@ ar:
two: منشورات
zero: منشورات
status_count_before: نشروا
- terms: شروط الخدمة
unavailable_content: محتوى غير متوفر
unavailable_content_description:
domain: الخادم
@@ -299,7 +297,6 @@ ar:
create_unavailable_domain_html: قام %{name} بتوقيف التوصيل للنطاق %{target}
demote_user_html: قام %{name} بخفض الرتبة الوظيفية لـ%{target}
destroy_announcement_html: قام %{name} بحذف الإعلان %{target}
- destroy_custom_emoji_html: قام %{name} بحذف الإيموجي %{target}
destroy_domain_allow_html: قام %{name} بمنع الاتحاد مع النطاق %{target}
destroy_domain_block_html: قام %{name} برفع الحظر عن النطاق %{target}
destroy_email_domain_block_html: قام %{name} برفع الحظر عن نطاق البريد الإلكتروني %{target}
@@ -331,7 +328,6 @@ ar:
update_custom_emoji_html: قام %{name} بتحديث الإيموجي %{target}
update_domain_block_html: قام %{name} بتحديث كتلة النطاق %{target}
update_status_html: قام %{name} بتحديث منشور من %{target}
- deleted_status: "(منشور محذوف)"
empty: لم يتم العثور على سجلات.
filter_by_action: تصفية بحسب الإجراء
filter_by_user: تصفية حسب المستخدم
@@ -677,9 +673,6 @@ ar:
site_short_description:
desc_html: يتم عرضه في لوحة جانبية و في البيانات الوصفية. قم بوصف ماستدون و ما يميز هذا السيرفر عن الآخرين في فقرة موجزة. إن تركت الحقل فارغا فسوف يتم عرض الوصف الافتراضي لمثيل الخادوم.
title: مقدمة وصفية قصيرة عن مثيل الخادوم
- site_terms:
- desc_html: يمكنك كتابة سياسة الخصوصية الخاصة بك ، شروط الخدمة أو غيرها من القوانين. يمكنك استخدام علامات HTML
- title: شروط الخدمة المخصصة
site_title: اسم مثيل الخادم
thumbnail:
desc_html: يستخدم للعروض السابقة عبر Open Graph و API. 1200x630px موصى به
@@ -688,9 +681,6 @@ ar:
desc_html: عرض الخيط العمومي على صفحة الاستقبال
title: مُعاينة الخيط العام
title: إعدادات الموقع
- trendable_by_default:
- desc_html: يؤثر على علامات الوسوم التي لم يكن مسموح بها مسبقاً
- title: السماح للوسوم بالظهور على المتداوَلة بدون مراجعة مسبقة
trends:
desc_html: عرض علني للوسوم المستعرضة سابقاً التي هي رائجة الآن
title: الوسوم المتداولة
@@ -1144,18 +1134,6 @@ ar:
admin:
sign_up:
subject: أنشأ %{name} حسابًا
- digest:
- action: معاينة كافة الإشعارات
- body: هذا هو مُلَخَّص الرسائل التي فاتتك وذلك منذ آخر زيارة لك في %{since}
- mention: "%{name} أشار إليك في:"
- new_followers_summary:
- few: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
- many: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
- one: و لقد تحصّلتَ كذلك على مُتابِع آخَر بينما كنتَ غائبًا! هذا شيء رائع!
- other: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
- two: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
- zero: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
- title: أثناء فترة غيابك...
favourite:
body: 'أُعجب %{name} بمنشورك:'
subject: أُعجِب %{name} بمنشورك
@@ -1453,8 +1431,6 @@ ar:
sensitive_content: محتوى حساس
tags:
does_not_match_previous_name: لا يطابق الإسم السابق
- terms:
- title: شروط الخدمة وسياسة الخصوصية على %{instance}
themes:
contrast: ماستدون (تباين عالٍ)
default: ماستدون (داكن)
diff --git a/config/locales/ast.yml b/config/locales/ast.yml
index f4765360e..6fc906562 100644
--- a/config/locales/ast.yml
+++ b/config/locales/ast.yml
@@ -24,7 +24,6 @@ ast:
one: artículu
other: artículos
status_count_before: Que crearon
- terms: Términos del serviciu
unavailable_content_description:
domain: Sirvidor
reason: Motivu
@@ -137,6 +136,9 @@ ast:
settings:
site_description:
title: Descripción del sirvidor
+ site_terms:
+ desc_html: Pues escribir la to política de privacidá. Tamién pues usar etiquetes HTML
+ title: Política de privacidá personalizada
site_title: Nome del sirvidor
title: Axustes del sitiu
title: Alministración
@@ -314,9 +316,6 @@ ast:
warning:
followers: Esta aición va mover tolos siguidores de la cuenta actual a la nueva
notification_mailer:
- digest:
- body: Equí hai un resume de los mensaxes que nun viesti dende la última visita'l %{since}
- mention: "%{name} mentóte en:"
favourite:
title: Favoritu nuevu
follow:
@@ -468,6 +467,8 @@ ast:
sensitive_content: Conteníu sensible
tags:
does_not_match_previous_name: nun concasa col nome anterior
+ terms:
+ title: 'Política de pirvacidá de: %{instance}'
themes:
contrast: Contraste altu
default: Mastodon
diff --git a/config/locales/bg.yml b/config/locales/bg.yml
index a7b8ffc23..23c11e543 100644
--- a/config/locales/bg.yml
+++ b/config/locales/bg.yml
@@ -21,7 +21,6 @@ bg:
get_apps: Опитайте мобилно приложение
hosted_on: Mastodon е хостван на %{domain}
learn_more: Още информация
- privacy_policy: Политика за поверителност
see_whats_happening: Вижте какво се случва
server_stats: 'Сървърна статистика:'
source_code: Програмен код
@@ -29,7 +28,6 @@ bg:
one: състояние
other: състояния
status_count_before: Написали
- terms: Условия за ползване
unavailable_content: Модерирани сървъри
unavailable_content_description:
domain: Сървър
@@ -230,12 +228,6 @@ bg:
images_and_video: Не мога да прикача видеоклип към публикация, която вече съдържа изображения
too_many: Не мога да прикача повече от 4 файла
notification_mailer:
- digest:
- body: Ето кратко резюме на нещата, които се случиха от последното ти посещение на %{since}
- mention: "%{name} те спомена в:"
- new_followers_summary:
- one: Имаш един нов последовател! Ура!
- other: Имаш %{count} нови последователи! Изумително!
favourite:
body: 'Публикацията ти беше харесана от %{name}:'
subject: "%{name} хареса твоята публикация"
diff --git a/config/locales/bn.yml b/config/locales/bn.yml
index bbeab8655..a30d933e5 100644
--- a/config/locales/bn.yml
+++ b/config/locales/bn.yml
@@ -23,7 +23,6 @@ bn:
hosted_on: এই মাস্টাডনটি আছে %{domain} এ
instance_actor_flash: "এই অ্যাকাউন্টটি ভার্চুয়াল এক্টর যা নিজে কোনও সার্ভারের প্রতিনিধিত্ব করতে ব্যবহৃত হয় এবং কোনও পৃথক ব্যবহারকারী নয়। এটি ফেডারেশনের উদ্দেশ্যে ব্যবহৃত হয় এবং আপনি যদি পুরো ইনস্ট্যান্স ব্লক করতে না চান তবে অবরুদ্ধ করা উচিত নয়, সেক্ষেত্রে আপনার ডোমেন ব্লক ব্যবহার করা উচিত। \n"
learn_more: বিস্তারিত জানুন
- privacy_policy: গোপনীয়তা নীতি
see_whats_happening: কী কী হচ্ছে দেখুন
server_stats: 'সার্ভারের অবস্থা:'
source_code: আসল তৈরীপত্র
@@ -31,7 +30,6 @@ bn:
one: অবস্থা
other: স্থিতিগুলি
status_count_before: কে লিখেছে
- terms: ব্যবহারের শর্তাবলী
unavailable_content: অনুপলব্ধ সামগ্রী
unavailable_content_description:
domain: সার্ভার
diff --git a/config/locales/br.yml b/config/locales/br.yml
index 61e85d163..0e9b9d1ee 100644
--- a/config/locales/br.yml
+++ b/config/locales/br.yml
@@ -9,7 +9,6 @@ br:
contact: Darempred
discover_users: Dizoleiñ implijer·ien·ezed
learn_more: Gouzout hiroc'h
- privacy_policy: Reolennoù prevezded
rules: Reolennoù ar servijer
server_stats: 'Stadegoù ar servijer:'
source_code: Boneg tarzh
@@ -19,7 +18,6 @@ br:
one: toud
other: toud
two: toud
- terms: Divizoù gwerzhañ hollek
unavailable_content_description:
domain: Dafariad
user_count_after:
@@ -89,7 +87,6 @@ br:
action_logs:
action_types:
destroy_status: Dilemel ar statud
- deleted_status: "(statud dilemet)"
announcements:
new:
create: Sevel ur gemenn
diff --git a/config/locales/ca.yml b/config/locales/ca.yml
index dfc1c1e27..3f381d76c 100644
--- a/config/locales/ca.yml
+++ b/config/locales/ca.yml
@@ -28,7 +28,7 @@ ca:
learn_more: Aprèn més
logged_in_as_html: Actualment has iniciat sessió com a %{username}.
logout_before_registering: Ja has iniciat sessió.
- privacy_policy: Política de privadesa
+ privacy_policy: Política de Privacitat
rules: Normes del servidor
rules_html: 'A continuació, es mostra un resum de les normes que has de seguir si vols tenir un compte en aquest servidor de Mastodon:'
see_whats_happening: Mira què està passant
@@ -39,7 +39,6 @@ ca:
other: publicacions
status_count_before: Qui ha publicat
tagline: Xarxa social descentralitzada
- terms: Condicions de servei
unavailable_content: Servidors moderats
unavailable_content_description:
domain: Servidor
@@ -235,17 +234,21 @@ ca:
approve_user: Aprova l'usuari
assigned_to_self_report: Assigna l'informe
change_email_user: Canvia l'adreça electrònica per l'usuari
+ change_role_user: Canvia el Rol del Usuari
confirm_user: Confirma l'usuari
create_account_warning: Crea un avís
create_announcement: Crea un anunci
+ create_canonical_email_block: Crea un bloqueig de correu electrònic
create_custom_emoji: Crea un emoji personalitzat
create_domain_allow: Crea un domini permès
create_domain_block: Crea un bloqueig de domini
create_email_domain_block: Crea un bloqueig de domini d'adreça de correu
create_ip_block: Crear regla IP
create_unavailable_domain: Crea un domini no disponible
+ create_user_role: Crea Rol
demote_user: Degrada l'usuari
destroy_announcement: Esborra l'anunci
+ destroy_canonical_email_block: Esborra el bloqueig de correu electrònic
destroy_custom_emoji: Esborra l'emoji personalitzat
destroy_domain_allow: Esborra el domini permès
destroy_domain_block: Esborra el bloqueig de domini
@@ -254,6 +257,7 @@ ca:
destroy_ip_block: Eliminar regla IP
destroy_status: Esborrar la publicació
destroy_unavailable_domain: Esborra domini no disponible
+ destroy_user_role: Destrueix Rol
disable_2fa_user: Desactiva 2FA
disable_custom_emoji: Desactiva l'emoji personalitzat
disable_sign_in_token_auth_user: Desactivar l'autenticació de token per correu per l'usuari
@@ -280,24 +284,30 @@ ca:
update_announcement: Actualitza l'anunci
update_custom_emoji: Actualitza l'emoji personalitzat
update_domain_block: Actualitza el Bloqueig de Domini
+ update_ip_block: Actualitza norma IP
update_status: Actualitza l'estat
+ update_user_role: Actualitza Rol
actions:
approve_appeal_html: "%{name} ha aprovat l'apel·lació a la decisió de moderació de %{target}"
approve_user_html: "%{name} ha aprovat el registre de %{target}"
assigned_to_self_report_html: "%{name} han assignat l'informe %{target} a ells mateixos"
change_email_user_html: "%{name} ha canviat l'adreça de correu electrònic del usuari %{target}"
+ change_role_user_html: "%{name} ha canviat el rol de %{target}"
confirm_user_html: "%{name} ha confirmat l'adreça de correu electrònic de l'usuari %{target}"
create_account_warning_html: "%{name} ha enviat un avís a %{target}"
create_announcement_html: "%{name} ha creat un nou anunci %{target}"
+ create_canonical_email_block_html: "%{name} ha bloquejat l'adreça de correu electrònic amb el hash %{target}"
create_custom_emoji_html: "%{name} ha pujat un emoji nou %{target}"
create_domain_allow_html: "%{name} ha permès la federació amb el domini %{target}"
create_domain_block_html: "%{name} ha bloquejat el domini %{target}"
create_email_domain_block_html: "%{name} ha bloquejat el domini de correu electrònic %{target}"
create_ip_block_html: "%{name} ha creat una regla per a l'IP %{target}"
create_unavailable_domain_html: "%{name} ha aturat el lliurament al domini %{target}"
+ create_user_role_html: "%{name} ha creat el rol %{target}"
demote_user_html: "%{name} ha degradat l'usuari %{target}"
destroy_announcement_html: "%{name} ha eliminat l'anunci %{target}"
- destroy_custom_emoji_html: "%{name} ha destruït l'emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} ha desbloquejat el correu electrònic amb el hash %{target}"
+ destroy_custom_emoji_html: "%{name} ha esborrat l'emoji %{target}"
destroy_domain_allow_html: "%{name} no permet la federació amb el domini %{target}"
destroy_domain_block_html: "%{name} ha desbloquejat el domini %{target}"
destroy_email_domain_block_html: "%{name} ha desbloquejat el domini de correu electrònic %{target}"
@@ -305,6 +315,7 @@ ca:
destroy_ip_block_html: "%{name} ha esborrat la regla per a l'IP %{target}"
destroy_status_html: "%{name} ha eliminat la publicació de %{target}"
destroy_unavailable_domain_html: "%{name} ha représ el lliurament delivery al domini %{target}"
+ destroy_user_role_html: "%{name} ha esborrat el rol %{target}"
disable_2fa_user_html: "%{name} ha desactivat el requisit de dos factors per a l'usuari %{target}"
disable_custom_emoji_html: "%{name} ha desactivat l'emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} ha desactivat l'autenticació de token per correu per a %{target}"
@@ -331,8 +342,9 @@ ca:
update_announcement_html: "%{name} ha actualitzat l'anunci %{target}"
update_custom_emoji_html: "%{name} ha actualitzat l'emoji %{target}"
update_domain_block_html: "%{name} ha actualitzat el bloqueig de domini per a %{target}"
+ update_ip_block_html: "%{name} ha canviat la norma per la IP %{target}"
update_status_html: "%{name} ha actualitzat l'estat de %{target}"
- deleted_status: "(publicació esborrada)"
+ update_user_role_html: "%{name} ha canviat el rol %{target}"
empty: No s’han trobat registres.
filter_by_action: Filtra per acció
filter_by_user: Filtra per usuari
@@ -784,8 +796,8 @@ ca:
desc_html: Es mostra a la barra lateral i a metaetiquetes. Descriu en un únic paràgraf què és Mastodon i què fa que aquest servidor sigui especial.
title: Descripció curta del servidor
site_terms:
- desc_html: Pots escriure la teva pròpia política de privadesa, els termes del servei o d'altres normes legals. Pots utilitzar etiquetes HTML
- title: Termes del servei personalitzats
+ desc_html: Pots escriure la teva pròpia política de privacitat. Pots fer servir etiquetes HTML
+ title: Política de privacitat personalitzada
site_title: Nom del servidor
thumbnail:
desc_html: S'utilitza per obtenir visualitzacions prèvies a través d'OpenGraph i API. Es recomana 1200x630px
@@ -795,8 +807,8 @@ ca:
title: Permet l'accés no autenticat a la línia de temps pública
title: Configuració del lloc
trendable_by_default:
- desc_html: Afecta a les etiquetes que no s'havien rebutjat prèviament
- title: Permet que les etiquetes passin a la tendència sense revisió prèvia
+ desc_html: El contingut específic de la tendència encara pot explícitament no estar permès
+ title: Permet tendències sense revisió prèvia
trends:
desc_html: Mostra públicament les etiquetes revisades anteriorment que actualment estan en tendència
title: Etiquetes tendència
@@ -1181,6 +1193,8 @@ ca:
edit:
add_keyword: Afegeix paraula clau
keywords: Paraules clau
+ statuses: Apunts individuals
+ statuses_hint_html: Aquest filtre aplica als apunts individuals seleccionats independentment de si coincideixen amb les paraules clau de sota. Revisa o elimina els apunts des d'el filtre.
title: Editar filtre
errors:
deprecated_api_multiple_keywords: Aquests paràmetres no poden ser canviats des d'aquesta aplicació perquè apliquen a més d'un filtre per paraula clau. Utilitza una aplicació més recent o la interfície web.
@@ -1194,10 +1208,23 @@ ca:
keywords:
one: "%{count} paraula clau"
other: "%{count} paraules clau"
+ statuses:
+ one: "%{count} apunt"
+ other: "%{count} apunts"
+ statuses_long:
+ one: "%{count} apunt individual oculta"
+ other: "%{count} apunts individuals ocultats"
title: Filtres
new:
save: Desa el nou filtre
title: Afegir un nou filtre
+ statuses:
+ back_to_filter: Tornar al filtre
+ batch:
+ remove: Eliminar del filtre
+ index:
+ hint: Aquest filtre aplica als apunts seleccionats independentment d'altres criteris. Pots afegir més apunts a aquest filtre des de l'interfície Web.
+ title: Apunts filtrats
footer:
developers: Desenvolupadors
more: Més…
@@ -1205,12 +1232,22 @@ ca:
trending_now: En tendència
generic:
all: Tot
+ all_items_on_page_selected_html:
+ one: "%{count} article d'aquesta s'ha seleccionat."
+ other: Tots %{count} articles d'aquesta pàgina estan seleccionats.
+ all_matching_items_selected_html:
+ one: "%{count} article coincident amb la teva cerca està seleccionat."
+ other: Tots %{count} articles coincidents amb la teva cerca estan seleccionats.
changes_saved_msg: Els canvis s'han desat correctament!
copy: Copiar
delete: Esborra
+ deselect: Desfer selecció
none: Cap
order_by: Ordena per
save_changes: Desa els canvis
+ select_all_matching_items:
+ one: Selecciona %{count} article coincident amb la teva cerca.
+ other: Selecciona tots %{count} articles coincidents amb la teva cerca.
today: avui
validation_errors:
one: Alguna cosa no va bé! Si us plau, revisa l'error
@@ -1319,17 +1356,6 @@ ca:
subject: "%{name} ha presentat un informe"
sign_up:
subject: "%{name} s'ha registrat"
- digest:
- action: Mostra totes les notificacions
- body: Un resum del que et vas perdre des de la darrera visita el %{since}
- mention: "%{name} t'ha mencionat en:"
- new_followers_summary:
- one: A més, has adquirit un nou seguidor durant la teva absència! Visca!
- other: A més, has adquirit %{count} nous seguidors mentre estaves fora! Increïble!
- subject:
- one: "1 notificació nova des de la teva darrera visita 🐘"
- other: "%{count} notificacions noves des de la teva darrera visita 🐘"
- title: Durant la teva absència…
favourite:
body: "%{name} ha marcat com a favorit el teu estat:"
subject: "%{name} ha marcat com a favorit el teu estat"
@@ -1683,7 +1709,7 @@ ca:
Atribució
This text is free to be adapted and remixed under the terms of the CC-BY (Attribution 4.0 International) license.
- title: "%{instance} Condicions del servei i política de privadesa"
+ title: Política de Privacitat de %{instance}
themes:
contrast: Mastodon (alt contrast)
default: Mastodon (fosc)
@@ -1727,7 +1753,7 @@ ca:
details: 'Aquí estan els detalls del inici de sessió:'
explanation: Hem detectat un inici de sessió del teu compte des d'una nova adreça IP.
further_actions_html: Si no has estat tu, recomanem que tu %{action} immediatament i activis l'autenticació de dos-factors per a mantenir el teu compte segur.
- subject: El teu compte ha estat accedit des d'una nova adreça IP
+ subject: S'ha accedit al teu compte des d'una adreça IP nova
title: Un nou inici de sessió
warning:
appeal: Envia una apel·lació
diff --git a/config/locales/ckb.yml b/config/locales/ckb.yml
index 3e9f414df..fe2dffcc1 100644
--- a/config/locales/ckb.yml
+++ b/config/locales/ckb.yml
@@ -27,7 +27,6 @@ ckb:
learn_more: زیاتر فێربه
logged_in_as_html: لە ئێستادا تۆ وەک %{username} چوویتە ژوورەوە.
logout_before_registering: تۆ پێشتر چوویتە ژوورەوە.
- privacy_policy: ڕامیاری تایبەتێتی
rules: یاساکانی سێرڤەر
rules_html: 'لە خوارەوە کورتەیەک لەو یاسایانە دەخەینەڕوو کە پێویستە پەیڕەوی لێبکەیت ئەگەر بتەوێت ئەکاونتێکت هەبێت لەسەر ئەم سێرڤەرەی ماستۆدۆن:'
see_whats_happening: بزانە چی ڕوودەدات
@@ -37,7 +36,6 @@ ckb:
one: دۆخ
other: پۆست
status_count_before: لە لایەن یەکەوە
- terms: مەرجەکانی خزمەتگوزاری
unavailable_content: ڕاژەی چاودێریکراو
unavailable_content_description:
domain: ڕاژەکار
@@ -265,7 +263,6 @@ ckb:
update_status: بەڕۆژکردنی دۆخ
actions:
update_status_html: "%{name} پۆستی نوێکراوە لەلایەن %{target}"
- deleted_status: "(نووسراوە سڕاوە)"
empty: هیچ لاگی کارنەدۆزرایەوە.
filter_by_action: فلتەر کردن بە کردار
filter_by_user: فلتەر کردن بە کردار
@@ -632,9 +629,6 @@ ckb:
site_short_description:
desc_html: نیشان لە شریتی لاتەنیشت و مێتا تاگەکان. لە پەرەگرافێک دا وەسفی بکە کە ماستۆدۆن چیە و چی وا لە ڕاژە کە دەکات تایبەت بێت.
title: دەربارەی ئەم ڕاژە
- site_terms:
- desc_html: دەتوانیت سیاسەتی تایبەتیێتی خۆت بنووسیت، مەرجەکانی خزمەتگوزاری یان یاسایی تر. دەتوانیت تاگەکانی HTML بەکاربێنیت
- title: مەرجەکانی خزمەتگوزاری ئاسایی
site_title: ناوی ڕاژە
thumbnail:
desc_html: بۆ پێشبینین بەکارهاتووە لە ڕێگەی OpenGraph وە API. ڕووناکی بینین ١٢٠٠x٦٣٠پیکسێڵ پێشنیارکراوە
@@ -643,9 +637,6 @@ ckb:
desc_html: لینکەکە نیشان بدە بۆ هێڵی کاتی گشتی لەسەر پەڕەی نیشتنەوە و ڕێگە بە API بدە دەستگەیشتنی هەبێت بۆ هێڵی کاتی گشتی بەبێ سەلماندنی ڕەسەنایەتی
title: ڕێگەبدە بە چوونە ژورەوەی نەسەلمێنراو بۆ هێڵی کاتی گشتی
title: ڕێکخستنەکانی ماڵپەڕ
- trendable_by_default:
- desc_html: کاریگەری لەسەر هاشتاگی پێشوو کە پێشتر ڕێگە پێنەدراوە
- title: ڕێگە بدە بە هاشتاگی بەرچاوکراوە بەبێ پێداچوونەوەی پێشوو
trends:
desc_html: بە ئاشکرا هاشتاگی پێداچوونەوەی پێشوو پیشان بدە کە ئێستا بەرچاوکراوەن
title: هاشتاگی بەرچاوکراوە
@@ -976,14 +967,6 @@ ckb:
carry_mutes_over_text: ئەم بەکارهێنەرە گواسترایەوە بۆ %{acct}، تۆ بێدەنگت کردووە.
copy_account_note_text: 'ئەم بەکارهێنەرە لە %{acct} ەوە گواستیەوە، تێبینیەکانی پێشووت دەربارەیان بوون:'
notification_mailer:
- digest:
- action: پیشاندانی هەموو ئاگانامەکان
- body: ئەمە کورتەی ئەو نامانەی لە دەستت دا لە دوا سەردانیت لە %{since}
- mention: "%{name} ئاماژەی بە تۆ کرد لە:"
- new_followers_summary:
- one: لەکاتێک کە نەبوو ،شوێنکەوتوویێکی نوێت پەیداکرد،ئافەرم!
- other: کاتیک کە نەبووی %{count} شوێنکەوتوویێکی نوێت پەیدا کرد! چ باشە!
- title: لە غیابی تۆدا...
favourite:
body: 'دۆخت پەسەندکراوە لەلایەن %{name}:'
subject: "%{name} دۆخی تۆی پەسەند کرد"
@@ -1189,8 +1172,6 @@ ckb:
sensitive_content: ناوەڕۆکی هەستیار
tags:
does_not_match_previous_name: لەگەڵ ناوی پێشوو یەک ناگرێتەوە
- terms:
- title: "%{instance} مەرجەکانی خزمەتگوزاری و سیاسەتی تایبەتیێتی"
themes:
contrast: ماستۆدۆن (کۆنتراستی بەرز)
default: ماستۆدۆن (ڕەش)
diff --git a/config/locales/co.yml b/config/locales/co.yml
index a71c187fc..bb0339440 100644
--- a/config/locales/co.yml
+++ b/config/locales/co.yml
@@ -25,7 +25,6 @@ co:
Stu contu ghjè un'attore virtuale chì ghjove à riprisentà u servore sanu è micca un veru utilizatore.
Hè utilizatu da a federazione è ùn deve micca esse bluccatu eccettu s'e voi vulete bluccà tuttu u servore, in quellu casu duvereste utilizà un blucchime di duminiu.
learn_more: Amparà di più
- privacy_policy: Pulitica di vita privata
rules: Regule di u servore
rules_html: 'Eccu un riassuntu di e regule da siguità s''e voi vulete creà un contu nant''à quessu servore di Mastodon:'
see_whats_happening: Vede cio chì si passa
@@ -35,7 +34,6 @@ co:
one: statutu
other: statuti
status_count_before: Chì anu pubblicatu
- terms: Cundizione di u serviziu
unavailable_content: Cuntinutu micca dispunibule
unavailable_content_description:
domain: Servore
@@ -269,7 +267,6 @@ co:
create_unavailable_domain_html: "%{name} hà firmatu a distribuzione à u duminiu %{target}"
demote_user_html: "%{name} hà ritrugradatu l’utilizatore %{target}"
destroy_announcement_html: "%{name} hà sguassatu u novu annunziu %{target}"
- destroy_custom_emoji_html: "%{name} hà sguassatu l'emoji %{target}"
destroy_domain_allow_html: "%{name} hà sguassatu u duminiu %{target} da a lista bianca"
destroy_domain_block_html: "%{name} hà sbluccatu u duminiu %{target}"
destroy_email_domain_block_html: "%{name} hà messu u duminiu e-mail %{target} nant’a lista bianca"
@@ -298,7 +295,6 @@ co:
update_custom_emoji_html: "%{name} hà messu à ghjornu l’emoji %{target}"
update_domain_block_html: "%{name} hà messu à ghjornu u blucchime di duminiu per %{target}"
update_status_html: "%{name} hà cambiatu u statutu di %{target}"
- deleted_status: "(statutu sguassatu)"
empty: Nunda trovu.
filter_by_action: Filtrà da azzione
filter_by_user: Filtrà da utilizatore
@@ -591,9 +587,6 @@ co:
site_short_description:
desc_html: Mustratu indè a barra laterala è i tag meta. Spiegate quale hè Mastodon è ciò chì rende u vostru servore speciale in un paragrafu. S'ella hè lasciata viota, a discrizzione di u servore sarà utilizata.
title: Descrizzione corta di u servore
- site_terms:
- desc_html: Quì pudete scrive e vostre regule di cunfidenzialità, cundizione d’usu o altre menzione legale. Pudete fà usu di marchi HTML
- title: Termini persunalizati
site_title: Nome di u servore
thumbnail:
desc_html: Utilizatu per viste cù OpenGraph è l’API. Ricumandemu 1200x630px
@@ -602,9 +595,6 @@ co:
desc_html: Vede a linea pubblica nant’a pagina d’accolta
title: Vista di e linee
title: Parametri di u situ
- trendable_by_default:
- desc_html: Ùn affetta micca quelli chì sò digià stati ricusati
- title: Auturizà l'hashtag à esse in tindenze senza verificazione
trends:
desc_html: Mustrà à u pubblicu i hashtag chì sò stati digià verificati è chì sò in e tendenze avà
title: Tendenze di hashtag
@@ -962,14 +952,6 @@ co:
carry_mutes_over_text: St'utilizatore hà traslucatu dapoi %{acct}, ch'aviate piattatu.
copy_account_note_text: 'St''utilizatore hà traslucatu dapoi %{acct}, eccu e vostr''anziane note nant''à ellu:'
notification_mailer:
- digest:
- action: Vede tutte e nutificazione
- body: Eccu cio ch’avete mancatu dapoi à a vostr’ultima visita u %{since}
- mention: "%{name} v’hà mintuvatu·a in:"
- new_followers_summary:
- one: Avete ancu un’abbunatu novu!
- other: Avete ancu %{count} abbunati novi!
- title: Dapoi l’ultima volta…
favourite:
body: "%{name} hà aghjuntu u vostru statutu à i so favuriti :"
subject: "%{name} hà messu u vostru post in i so favuriti"
@@ -1224,8 +1206,6 @@ co:
sensitive_content: Cuntenutu sensibile
tags:
does_not_match_previous_name: ùn currisponde micca à l'anzianu nome
- terms:
- title: Termini d’usu è di cunfidenzialità per %{instance}
themes:
contrast: Mastodon (Cuntrastu altu)
default: Mastodon (Scuru)
diff --git a/config/locales/cs.yml b/config/locales/cs.yml
index 3a58fd23b..fbde9e051 100644
--- a/config/locales/cs.yml
+++ b/config/locales/cs.yml
@@ -28,7 +28,7 @@ cs:
learn_more: Zjistit více
logged_in_as_html: Aktuálně jste přihlášeni jako %{username}.
logout_before_registering: Již jste přihlášeni.
- privacy_policy: Zásady ochrany osobních údajů
+ privacy_policy: Ochrana osobních údajů
rules: Pravidla serveru
rules_html: 'Níže je shrnutí pravidel, která musíte dodržovat, pokud chcete mít účet na tomto Mastodon serveru:'
see_whats_happening: Podívejte se, co se děje
@@ -41,7 +41,6 @@ cs:
other: příspěvků
status_count_before: Kteří napsali
tagline: Decentralizovaná sociální síť
- terms: Podmínky používání
unavailable_content: Moderované servery
unavailable_content_description:
domain: Server
@@ -111,6 +110,7 @@ cs:
avatar: Avatar
by_domain: Doména
change_email:
+ changed_msg: E-mail úspěšně změněn!
current_email: Současný e-mail
label: Změnit e-mail
new_email: Nový e-mail
@@ -164,6 +164,7 @@ cs:
active: Aktivní
all: Vše
pending: Čekající
+ silenced: Omezeno
suspended: Pozastavené
title: Moderování
moderation_notes: Moderátorské poznámky
@@ -171,6 +172,7 @@ cs:
most_recent_ip: Nejnovější IP adresa
no_account_selected: Nebyl změněn žádný účet, neboť žádný nebyl zvolen
no_limits_imposed: Nejsou nastavena žádná omezení
+ no_role_assigned: Nebyla přiřazena žádná role
not_subscribed: Neodebírá
pending: Čeká na posouzení
perform_full_suspension: Pozastavit
@@ -242,6 +244,7 @@ cs:
approve_user: Schválit uživatele
assigned_to_self_report: Přiřadit hlášení
change_email_user: Změnit uživateli e-mailovou adresu
+ change_role_user: Změnit roli uživatele
confirm_user: Potvrdit uživatele
create_account_warning: Vytvořit varování
create_announcement: Nové oznámení
@@ -251,6 +254,7 @@ cs:
create_email_domain_block: Zablokovat e-mailovou doménu
create_ip_block: Vytvořit IP pravidlo
create_unavailable_domain: Vytvořit nedostupnou doménu
+ create_user_role: Vytvořit roli
demote_user: Snížit roli uživatele
destroy_announcement: Odstranit oznámení
destroy_custom_emoji: Odstranit vlastní emoji
@@ -261,6 +265,7 @@ cs:
destroy_ip_block: Smazat IP pravidlo
destroy_status: Odstranit Příspěvek
destroy_unavailable_domain: Smazat nedostupnou doménu
+ destroy_user_role: Zničit roli
disable_2fa_user: Vypnout 2FA
disable_custom_emoji: Zakázat vlastní emoji
disable_sign_in_token_auth_user: Zrušit uživatelovo ověřování e-mailovým tokenem
@@ -287,15 +292,19 @@ cs:
update_announcement: Aktualizovat oznámení
update_custom_emoji: Aktualizovat vlastní emoji
update_domain_block: Změnit blokaci domény
+ update_ip_block: Aktualizovat pravidlo IP
update_status: Aktualizovat Příspěvek
+ update_user_role: Aktualizovat roli
actions:
approve_appeal_html: Uživatel %{name} schválil odvolání proti rozhodnutí moderátora %{target}
approve_user_html: "%{name} schválil registraci od %{target}"
assigned_to_self_report_html: Uživatel %{name} si přidělil hlášení %{target}
change_email_user_html: Uživatel %{name} změnil e-mailovou adresu uživatele %{target}
+ change_role_user_html: "%{name} změnil roli %{target}"
confirm_user_html: Uživatel %{name} potvrdil e-mailovou adresu uživatele %{target}
create_account_warning_html: Uživatel %{name} poslal %{target} varování
create_announcement_html: Uživatel %{name} vytvořil nové oznámení %{target}
+ create_canonical_email_block_html: "%{name} zablokoval e-mail s hash %{target}"
create_custom_emoji_html: Uživatel %{name} nahrál nové emoji %{target}
create_domain_allow_html: Uživatel %{name} povolil federaci s doménou %{target}
create_domain_block_html: Uživatel %{name} zablokoval doménu %{target}
@@ -304,7 +313,6 @@ cs:
create_unavailable_domain_html: "%{name} zastavil doručování na doménu %{target}"
demote_user_html: Uživatel %{name} degradoval uživatele %{target}
destroy_announcement_html: Uživatel %{name} odstranil oznámení %{target}
- destroy_custom_emoji_html: Uživatel %{name} zničil emoji %{target}
destroy_domain_allow_html: Uživatel %{name} zakázal federaci s doménou %{target}
destroy_domain_block_html: Uživatel %{name} odblokoval doménu %{target}
destroy_email_domain_block_html: Uživatel %{name} odblokoval e-mailovou doménu %{target}
@@ -339,7 +347,6 @@ cs:
update_custom_emoji_html: Uživatel %{name} aktualizoval emoji %{target}
update_domain_block_html: "%{name} aktualizoval blokaci domény %{target}"
update_status_html: Uživatel %{name} aktualizoval příspěvek uživatele %{target}
- deleted_status: "(smazaný příspěvek)"
empty: Nebyly nalezeny žádné záznamy.
filter_by_action: Filtrovat podle akce
filter_by_user: Filtrovat podle uživatele
@@ -688,8 +695,10 @@ cs:
moderation: Moderování
special: Speciální
delete: Smazat
+ description_html: Pomocí uživatelských rolímůžete upravit, ke kterým funkcím a oblastem mají přístup uživatelé Mastodon.
edit: Upravit roli „%{name}“
everyone: Výchozí oprávnění
+ everyone_full_description_html: Toto je základní role ovlivňující všechny uživatele, a to i bez přiřazené role. Všechny ostatní role od ní dědí oprávnění.
permissions_count:
few: "%{count} oprávnění"
many: "%{count} oprávnění"
@@ -697,27 +706,45 @@ cs:
other: "%{count} oprávnění"
privileges:
administrator: Správce
+ administrator_description: Uživatelé s tímto oprávněním obejdou všechna oprávnění
delete_user_data: Mazat uživatelská data
delete_user_data_description: Umožňuje uživatelům bezodkladně mazat data jiných uživatelů
invite_users: Zvát uživatele
invite_users_description: Umožňuje uživatelům zvát na server nové lidi
manage_announcements: Spravovat oznámení
+ manage_announcements_description: Umožňuje uživatelům spravovat oznámení na serveru
manage_appeals: Spravovat odvolání
manage_appeals_description: Umožňuje uživatelům posuzovat odvolání proti moderátorským zásahům
manage_blocks: Spravovat blokace
+ manage_blocks_description: Umožňuje uživatelům blokovat poskytovatele e-mailů a IP adresy
manage_custom_emojis: Spravovat vlastní emoji
manage_custom_emojis_description: Umožňuje uživatelům spravovat vlastní emoji na serveru
+ manage_federation: Spravovat federaci
+ manage_federation_description: Umožňuje uživatelům blokovat nebo povolit federaci s jinými doménami a ovládat doručování
manage_invites: Spravovat pozvánky
+ manage_invites_description: Umožňuje uživatelům procházet a deaktivovat pozvánky
manage_reports: Spravovat hlášení
+ manage_reports_description: Umožňuje uživatelům kontrolovat přehledy a provádět moderovací akce proti nim
manage_roles: Spravovat role
+ manage_roles_description: Umožňuje uživatelům spravovat a přiřazovat role pod nimi
manage_rules: Spravovat pravidla
+ manage_rules_description: Umožňuje uživatelům změnit pravidla serveru
manage_settings: Spravovat nastavení
+ manage_settings_description: Umožňuje uživatelům změnit nastavení webu
+ manage_taxonomies: Správa taxonomií
+ manage_taxonomies_description: Umožňuje uživatelům zkontrolovat populární obsah a aktualizovat nastavení hashtag
manage_user_access: Spravovat uživatelské přístupy
manage_user_access_description: Umožňuje uživatelům rušit jiným uživatelům dvoufázové ověřování, měnit jejich e-mailovou adresu a obnovovat jim hesla
manage_users: Spravovat uživatele
+ manage_users_description: Umožňuje uživatelům zobrazit podrobnosti ostatních uživatelů a provádět moderování proti nim
manage_webhooks: Spravovat webhooky
+ manage_webhooks_description: Umožňuje uživatelům nastavit webhooky pro administrativní události
view_audit_log: Zobrazovat protokol auditu
+ view_audit_log_description: Umožňuje uživatelům vidět historii administrativních akcí na serveru
+ view_dashboard: Zobrazit ovládací panel
+ view_dashboard_description: Umožňuje uživatelům přístup k ovládacímu panelu a různým metrikám
view_devops: Devops
+ view_devops_description: Umožňuje uživatelům přístup k ovládacím panelům Sidekiq a pgHero
title: Role
rules:
add_new: Přidat pravidlo
@@ -793,8 +820,8 @@ cs:
desc_html: Zobrazeno v postranním panelu a meta značkách. V jednom odstavci popište, co je Mastodon a čím se tento server odlišuje od ostatních.
title: Krátký popis serveru
site_terms:
- desc_html: Můžete si napsat vlastní zásady ochrany osobních údajů, podmínky používání či jiné právní dokumenty. Můžete použít HTML značky
- title: Vlastní podmínky používání
+ desc_html: Můžete napsat své vlastní zásady ochrany osobních údajů. HTML tagy můžete použít
+ title: Vlastní zásady ochrany osobních údajů
site_title: Název serveru
thumbnail:
desc_html: Používáno pro náhledy přes OpenGraph a API. Doporučujeme rozlišení 1200x630px
@@ -804,8 +831,8 @@ cs:
title: Povolit neautentizovaný přístup k časové ose
title: Nastavení stránky
trendable_by_default:
- desc_html: Ovlivňuje hashtagy, které nebyly dříve zakázány
- title: Povolit zobrazení hashtagů mezi populárními i bez předchozího posouzení
+ desc_html: Specifický populární obsah může být i nadále výslovně zakázán
+ title: Povolit trendy bez předchozí revize
trends:
desc_html: Veřejně zobrazit dříve schválený obsah, který je zrovna populární
title: Trendy
@@ -1196,15 +1223,41 @@ cs:
public: Veřejné časové osy
thread: Konverzace
edit:
+ add_keyword: Přidat klíčové slovo
+ keywords: Klíčová slova
+ statuses: Individuální příspěvky
+ statuses_hint_html: Tento filtr platí pro výběr jednotlivých příspěvků bez ohledu na to, zda odpovídají klíčovým slovům níže. Zkontrolujte nebo odeberte příspěvky z filtru.
title: Upravit filtr
errors:
+ deprecated_api_multiple_keywords: Tyto parametry nelze změnit z této aplikace, protože se vztahují na více než jedno klíčové slovo filtru. Použijte novější aplikaci nebo webové rozhraní.
invalid_context: Nebyl poskytnut žádný nebo jen neplatný kontext
index:
+ contexts: Filtruje %{contexts}
delete: Smazat
empty: Nemáte žádný filtr.
+ expires_in: Vyprší za %{distance}
+ expires_on: Vyprší %{date}
+ keywords:
+ few: "%{count} klíčová slova"
+ many: "%{count} klíčových slov"
+ one: "%{count} klíčové slovo"
+ other: "%{count} klíčových slov"
+ statuses:
+ few: "%{count} příspěvků"
+ many: "%{count} příspěvků"
+ one: "%{count} příspěvek"
+ other: "%{count} příspěvků"
title: Filtry
new:
+ save: Uložit nový filtr
title: Přidat nový filtr
+ statuses:
+ back_to_filter: Zpět na filtr
+ batch:
+ remove: Odstranit z filtru
+ index:
+ hint: Tento filtr se vztahuje na výběr jednotlivých příspěvků bez ohledu na jiná kritéria. Do tohoto filtru můžete přidat více příspěvků z webového rozhraní.
+ title: Filtrované příspěvky
footer:
developers: Vývojáři
more: Více…
@@ -1215,6 +1268,7 @@ cs:
changes_saved_msg: Změny byly úspěšně uloženy!
copy: Kopírovat
delete: Smazat
+ deselect: Zrušit výběr všeho
none: Žádné
order_by: Seřadit podle
save_changes: Uložit změny
@@ -1330,21 +1384,6 @@ cs:
subject: Uživatel %{name} podal hlášení
sign_up:
subject: Uživatel %{name} se zaregistroval
- digest:
- action: Zobrazit všechna oznámení
- body: Zde najdete stručný souhrn zpráv, které jste zmeškali od vaší poslední návštěvy %{since}
- mention: 'Uživatel %{name} vás zmínil v:'
- new_followers_summary:
- few: Zatímco jste byli pryč jste navíc získali %{count} nové sledující! Skvělé!
- many: Zatímco jste byli pryč jste navíc získali %{count} nových sledujících! Úžasné!
- one: Zatímco jste byli pryč jste navíc získali jednoho nového sledujícího! Hurá!
- other: Zatímco jste byli pryč jste navíc získali %{count} nových sledujících! Úžasné!
- subject:
- few: "%{count} nová oznámení od vaší poslední návštěvy 🐘"
- many: "%{count} nových oznámení od vaší poslední návštěvy 🐘"
- one: "1 nové oznámení od vaší poslední návštěvy 🐘"
- other: "%{count} nových oznámení od vaší poslední návštěvy 🐘"
- title: Ve vaší nepřítomnosti…
favourite:
body: 'Váš příspěvek si oblíbil uživatel %{name}:'
subject: Uživatel %{name} si oblíbil váš příspěvek
@@ -1719,7 +1758,7 @@ cs:
Tento dokument je dostupný pod licencí CC-BY-SA. Byl naposledy aktualizován 26. května 2022.
- title: Podmínky používání a zásady ochrany osobních údajů na serveru %{instance}
+ title: Zásady ochrany osobních údajů %{instance}
themes:
contrast: Mastodon (vysoký kontrast)
default: Mastodon (tmavý)
diff --git a/config/locales/cy.yml b/config/locales/cy.yml
index a1e9835d6..86a134a26 100644
--- a/config/locales/cy.yml
+++ b/config/locales/cy.yml
@@ -28,7 +28,6 @@ cy:
learn_more: Dysgu mwy
logged_in_as_html: Rydych chi wedi mewngofnodi fel %{username}.
logout_before_registering: Rydych chi eisoes wedi mewngofnodi.
- privacy_policy: Polisi preifatrwydd
rules: Rheolau gweinydd
rules_html: 'Isod mae crynodeb o''r rheolau y mae angen i chi eu dilyn os ydych chi am gael cyfrif ar y gweinydd hwn o Mastodon:'
see_whats_happening: Gweld beth sy'n digwydd
@@ -42,7 +41,6 @@ cy:
two: statwsau
zero: statwsau
status_count_before: Ysgrifennwyd gan
- terms: Telerau gwasanaeth
unavailable_content: Cynnwys nad yw ar gael
unavailable_content_description:
domain: Gweinydd
@@ -257,7 +255,6 @@ cy:
update_status: Diweddaru Statws
actions:
memorialize_account_html: Newidodd %{name} gyfrif %{target} i dudalen goffa
- deleted_status: "(statws wedi ei ddileu)"
empty: Dim logiau ar gael.
filter_by_action: Hidlo wrth weithred
filter_by_user: Hidlo wrth ddefnyddiwr
@@ -499,9 +496,6 @@ cy:
site_short_description:
desc_html: Yn cael ei ddangos yn bar ar yr ochr a tagiau meto. Digrifiwch beth yw Mastodon a beth sy'n gwneud y gweinydd hwn mewn un paragraff. Os yn wag, wedi ei ragosod i ddangos i disgrifiad yr achos.
title: Disgrifiad byr o'r achos
- site_terms:
- desc_html: Mae modd i chi ysgrifennu polisi preifatrwydd, termau gwasanaeth a cyfreitheg arall eich hun. Mae modd defnyddio tagiau HTML
- title: Termau gwasanaeth wedi eu haddasu
site_title: Enw'r achos
thumbnail:
desc_html: Ceith ei ddefnyddio ar gyfer rhagolygon drwy OpenGraph a'r API. Argymhellir 1200x630px
@@ -510,9 +504,6 @@ cy:
desc_html: Dangos ffrwd gyhoeddus ar y dudalen lanio
title: Rhagolwg o'r ffrwd
title: Gosodiadau'r wefan
- trendable_by_default:
- desc_html: Yn ddylanwadu ar hashnodau sydd heb ei rhwystro yn y gorffenol
- title: Gadael hashnodau i dueddu heb adolygiad cynt
trends:
desc_html: Arddangos hashnodau a adolygwyd yn gynt yn gyhoeddus sydd yn tueddu yn bresennol
title: Hashnodau tueddig
@@ -835,18 +826,6 @@ cy:
carry_mutes_over_text: Wnaeth y defnyddiwr symud o %{acct}, a oeddech chi wedi'i dawelu.
copy_account_note_text: 'Wnaeth y defnyddiwr symud o %{acct}, dyma oedd eich hen nodiadau amdanynt:'
notification_mailer:
- digest:
- action: Gweld holl hysbysiadau
- body: Dyma grynodeb byr o'r holl negeseuon golloch chi ers eich ymweliad diwethaf ar %{since}
- mention: 'Soniodd %{name} amdanoch chi:'
- new_followers_summary:
- few: Hefyd, rydych wedi ennill %{count} dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- many: Hefyd, rydych wedi ennill %{count} dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- one: Yr ydych wedi ennill dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- other: Hefyd, rydych wedi ennill %{count} dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- two: Hefyd, rydych wedi ennill %{count} dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- zero: Hefyd, rydych wedi ennill %{count} dilynwr newydd tra eich bod i ffwrdd! Hwrê!
- title: Yn eich absenoldeb...
favourite:
body: 'Cafodd eich statws ei hoffi gan %{name}:'
subject: Hoffodd %{name} eich statws
@@ -1063,8 +1042,6 @@ cy:
too_late: Mae'n rhy hwyr i apelio yn erbyn y rhybudd hwn
tags:
does_not_match_previous_name: ddim yn cyfateb i'r enw blaenorol
- terms:
- title: "%{instance} Termau Gwasanaeth a Polisi Preifatrwydd"
themes:
contrast: Mastodon (Cyferbyniad uchel)
default: Mastodon (Tywyll)
diff --git a/config/locales/da.yml b/config/locales/da.yml
index a08748deb..3379b82c3 100644
--- a/config/locales/da.yml
+++ b/config/locales/da.yml
@@ -39,7 +39,6 @@ da:
other: indlæg
status_count_before: Som har postet
tagline: Decentraliseret socialt netværk
- terms: Tjenestevilkår
unavailable_content: Modererede servere
unavailable_content_description:
domain: Server
@@ -235,17 +234,21 @@ da:
approve_user: Godkend bruger
assigned_to_self_report: Tildel rapport
change_email_user: Skift e-mail for bruger
+ change_role_user: Skift brugerrolle
confirm_user: Bekræft bruger
create_account_warning: Opret advarsel
create_announcement: Opret bekendtgørelse
+ create_canonical_email_block: Opret e-mailblokering
create_custom_emoji: Opret tilpasset emoji
create_domain_allow: Opret domænetilladelse
create_domain_block: Opret domæneblokering
create_email_domain_block: Opret e-maildomæneblokering
create_ip_block: Opret IP-regel
create_unavailable_domain: Opret Utilgængeligt Domæne
+ create_user_role: Opret rolle
demote_user: Degradér bruger
destroy_announcement: Slet bekendtgørelse
+ destroy_canonical_email_block: Slet e-mailblokering
destroy_custom_emoji: Slet tilpasset emoji
destroy_domain_allow: Slet domænetilladelse
destroy_domain_block: Slet domæneblokering
@@ -254,6 +257,7 @@ da:
destroy_ip_block: Slet IP-regel
destroy_status: Slet indlæg
destroy_unavailable_domain: Slet Utilgængeligt Domæne
+ destroy_user_role: Ødelæg rolle
disable_2fa_user: Deaktivér 2FA
disable_custom_emoji: Deaktivér tilpasset emoji
disable_sign_in_token_auth_user: Deaktivér e-mailtoken godkendelse for bruger
@@ -280,24 +284,30 @@ da:
update_announcement: Opdatér bekendtgørelse
update_custom_emoji: Opdatér tilpasset emoji
update_domain_block: Opdatér domæneblokering
+ update_ip_block: Opdatér IP-regel
update_status: Opdatér indlæg
+ update_user_role: Opdatér rolle
actions:
approve_appeal_html: "%{name} godkendte moderationsafgørelsesappellen fra %{target}"
approve_user_html: "%{name} godkendte tilmeldingen fra %{target}"
assigned_to_self_report_html: "%{name} tildelte sig selv anmeldelsen %{target}"
change_email_user_html: "%{name} ændrede e-mailadressen for bruger %{target}"
+ change_role_user_html: "%{name} ændrede rollen for %{target}"
confirm_user_html: "%{name} bekræftede e-mailadressen for bruger %{target}"
create_account_warning_html: "%{name} sendte en advarsel til %{target}"
create_announcement_html: "%{name} oprettede den nye bekendtgørelse %{target}"
+ create_canonical_email_block_html: "%{name} blokerede e-mailen med hash'et %{target}"
create_custom_emoji_html: "%{name} uploadede den nye emoji %{target}"
create_domain_allow_html: "%{name} tillod federering med domænet %{target}"
create_domain_block_html: "%{name} blokerede domænet %{target}"
create_email_domain_block_html: "%{name} blokerede e-maildomænet %{target}"
create_ip_block_html: "%{name} oprettede en regel for IP %{target}"
create_unavailable_domain_html: "%{name} stoppede levering til domænet %{target}"
+ create_user_role_html: "%{name} oprettede %{target}-rolle"
demote_user_html: "%{name} degraderede brugeren %{target}"
destroy_announcement_html: "%{name} slettede bekendtgørelsen %{target}"
- destroy_custom_emoji_html: "%{name} fjernede emojien %{target}"
+ destroy_canonical_email_block_html: "%{name} afblokerede e-mailen med hash'et %{target}"
+ destroy_custom_emoji_html: "%{name} slettede emojien %{target}"
destroy_domain_allow_html: "%{name} fjernede federeringstilladelsen med domænet %{target}"
destroy_domain_block_html: "%{name} afblokerede domænet %{target}"
destroy_email_domain_block_html: "%{name} afblokerede e-maildomænet %{target}"
@@ -305,6 +315,7 @@ da:
destroy_ip_block_html: "%{name} slettede en regel for IP %{target}"
destroy_status_html: "%{name} fjernede indlægget fra %{target}"
destroy_unavailable_domain_html: "%{name} genoptog levering til domænet %{target}"
+ destroy_user_role_html: "%{name} slettede %{target}-rolle"
disable_2fa_user_html: "%{name} deaktiverede tofaktorkravet for brugeren %{target}"
disable_custom_emoji_html: "%{name} deaktiverede emojien %{target}"
disable_sign_in_token_auth_user_html: "%{name} deaktiverede e-mailtoken godkendelsen for %{target}"
@@ -331,8 +342,9 @@ da:
update_announcement_html: "%{name} opdaterede bekendtgørelsen %{target}"
update_custom_emoji_html: "%{name} opdaterede emoji %{target}"
update_domain_block_html: "%{name} opdaterede domæneblokeringen for %{target}"
+ update_ip_block_html: "%{name} ændrede reglen for IP'en %{target}"
update_status_html: "%{name} opdaterede indlægget fra %{target}"
- deleted_status: "(slettet indlæg)"
+ update_user_role_html: "%{name} ændrede %{target}-rolle"
empty: Ingen logger fundet.
filter_by_action: Filtrér efter handling
filter_by_user: Filtrér efter bruger
@@ -783,8 +795,8 @@ da:
desc_html: Vises på sidebjælke og metatags. Beskriv i et enkelt afsnit, hvad Mastodon er, og hvad der gør denne server speciel.
title: Kort serverbeskrivelse
site_terms:
- desc_html: Der kan angives egen fortrolighedspolitik, tjenestevilkår el.lign. HTML-tags kan bruges
- title: Tilpassede tjenestevilkår
+ desc_html: Man kan skrive sin egen fortrolighedspolitik. HTML-tags understøttes
+ title: Tilpasset fortrolighedspolitik
site_title: Servernavn
thumbnail:
desc_html: Bruges til forhåndsvisninger via OpenGraph og API. 1200x630px anbefales
@@ -794,8 +806,8 @@ da:
title: Tillad ikke-godkendt tilgang til offentlig tidslinje
title: Webstedsindstillinger
trendable_by_default:
- desc_html: Påvirker hashtags, som ikke tidligere er blevet nægtet
- title: Tillad hashtags at forme tendens uden forudgående revision
+ desc_html: Bestemt tendensindhold kan stadig udtrykkeligt forbydes
+ title: Tillad tendenser uden forudgående gennemsyn
trends:
desc_html: Vis offentligt tidligere reviderede hashtags, som pt. trender
title: Populært
@@ -1180,6 +1192,8 @@ da:
edit:
add_keyword: Tilføj nøgleord
keywords: Nøgleord
+ statuses: Individuelle indlæg
+ statuses_hint_html: Dette filter gælder for udvalgte, individuelle indlæg, uanset om de matcher nøgleordene nedenfor. Gennemgå eller fjern indlæg fra filteret.
title: Redigere filter
errors:
deprecated_api_multiple_keywords: Disse parametre kan ikke ændres fra denne applikation, da de gælder for flere end ét filternøgleord. Brug en nyere applikation eller webgrænsefladen.
@@ -1193,10 +1207,23 @@ da:
keywords:
one: "%{count} nøgleord"
other: "%{count} nøgleord"
+ statuses:
+ one: "%{count} indlæg"
+ other: "%{count} indlæg"
+ statuses_long:
+ one: "%{count} individuelt indlæg skjult"
+ other: "%{count} individuelle indlæg skjult"
title: Filtre
new:
save: Gem nye filter
title: Tilføj nyt filter
+ statuses:
+ back_to_filter: Returnér til filter
+ batch:
+ remove: Fjern fra filter
+ index:
+ hint: Dette filter gælder for udvalgte, individuelle indlæg uanset andre kriterier. Flere indlæg kan føjes til filteret via webfladen.
+ title: Filtrerede indlæg
footer:
developers: Udviklere
more: Mere…
@@ -1204,12 +1231,22 @@ da:
trending_now: Trender lige nu
generic:
all: Alle
+ all_items_on_page_selected_html:
+ one: "%{count} emne på denne side er valgt."
+ other: Alle %{count} emner på denne side er valgt.
+ all_matching_items_selected_html:
+ one: "%{count} emne, der matchede søgningen, er valgt."
+ other: Alle %{count} emner, som matchede søgningen, er valgt.
changes_saved_msg: Ændringerne er gemt!
copy: Kopier
delete: Slet
+ deselect: Afmarkér alle
none: Intet
order_by: Sortér efter
save_changes: Gem ændringer
+ select_all_matching_items:
+ one: Vælg %{count} emne, der matchede søgningen.
+ other: Vælg alle %{count} emner, som matchede søgningen.
today: i dag
validation_errors:
one: Noget er ikke er helt i vinkel! Tjek fejlen nedenfor
@@ -1318,17 +1355,6 @@ da:
subject: "%{name} indsendte en anmeldelse"
sign_up:
subject: "%{name} tilmeldte sig"
- digest:
- action: Se alle notifikationer
- body: Her er en kort oversigt over de beskeder, som er misset siden dit seneste besøg %{since}
- mention: "%{name} nævnte dig i:"
- new_followers_summary:
- one: Under dit fravær har du har også fået en ny følger! Sådan!
- other: Under dit fravær har du har også fået %{count} nye følgere! Sådan!
- subject:
- one: "1 ny notifikation siden senest besøg 🐘"
- other: "%{count} nye notifikationer siden senest besøg 🐘"
- title: I dit fravær...
favourite:
body: "%{name} favoritmarkerede dit indlæg:"
subject: "%{name} favoritmarkerede dit indlæg"
@@ -1690,7 +1716,7 @@ da:
Dette dokument er CC-BY-SA. Det er senest opdateret 26. maj 2022.
- title: Tjenestevilkår og Fortrolighedspolitik for %{instance}
+ title: "%{instance}-fortrolighedspolitik"
themes:
contrast: Mastodon (høj kontrast)
default: Mastodont (mørkt)
diff --git a/config/locales/de.yml b/config/locales/de.yml
index 0c8321295..e47db036f 100644
--- a/config/locales/de.yml
+++ b/config/locales/de.yml
@@ -1,30 +1,30 @@
---
de:
about:
- 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_hashtag_html: Das sind öffentliche Beiträge, die mit #%{hashtag} getaggt wurden. Wenn du irgendwo im Födiversum 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 – genau wie E-Mail!
about_this: Über diesen Server
active_count_after: aktiv
- active_footnote: Monatlich Aktive User (MAU)
+ active_footnote: Monatlich aktive User (MAU)
administered_by: 'Betrieben von:'
api: API
apps: Mobile Apps
apps_platforms: Benutze Mastodon auf iOS, Android und anderen Plattformen
browse_directory: Durchsuche das Profilverzeichnis und filtere nach Interessen
- browse_local_posts: Durchsuche einen Live-Stream von öffentlichen Beiträgen von diesem Server
+ browse_local_posts: Durchsuche einen Live-Stream öffentlicher Beiträge dieses Servers
browse_public_posts: Stöbere durch öffentliche Beiträge auf Mastodon
contact: Kontakt
contact_missing: Nicht angegeben
contact_unavailable: Nicht verfügbar
- continue_to_web: Weiter zur Web App
+ continue_to_web: Weiter zur Web-App
discover_users: Benutzer entdecken
documentation: Dokumentation
- 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.
+ 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.
get_apps: Versuche eine mobile App
hosted_on: Mastodon, gehostet auf %{domain}
instance_actor_flash: |
- Dieses Konto ist ein virtueller Akteur, der den Server selbst und nicht einen einzelnen Benutzer repräsentiert.
- Dieser wird für Föderationszwecke verwendet und sollte nicht blockiert werden, es sei denn du möchtest die gesamte Instanz blockieren.
+ Dieses Konto ist ein virtueller Akteur, welcher den Server selbst – und nicht einen einzelnen Benutzer – repräsentiert.
+ Dieser wird für Föderationszwecke verwendet und sollte nicht blockiert werden, es sei denn, du möchtest die gesamte Instanz blockieren.
learn_more: Mehr erfahren
logged_in_as_html: Du bist derzeit als %{username} eingeloggt.
logout_before_registering: Du bist bereits angemeldet.
@@ -39,12 +39,11 @@ de:
other: Beiträge
status_count_before: mit
tagline: Dezentrales soziales Netzwerk
- terms: Nutzungsbedingungen
unavailable_content: Nicht verfügbarer Inhalt
unavailable_content_description:
domain: Server
reason: 'Grund:'
- rejecting_media: Mediendateien dieses Servers werden nicht verarbeitet und keine Thumbnails werden angezeigt, was manuelles anklicken auf den anderen Server erfordert.
+ rejecting_media: Mediendateien dieses Servers werden nicht verarbeitet und keine Thumbnails werden angezeigt, was manuelles Anklicken auf den anderen Server erfordert.
rejecting_media_title: Gefilterte Medien
silenced: Beiträge von diesem Server werden nirgends angezeigt, außer in deiner Startseite, wenn du der Person folgst, die den Beitrag verfasst hat.
silenced_title: Stummgeschaltete Server
@@ -96,18 +95,24 @@ de:
created_msg: Moderationsnotiz erfolgreich erstellt!
destroyed_msg: Moderationsnotiz erfolgreich gelöscht!
accounts:
- add_email_domain_block: E-Mail-Domain blacklisten
+ add_email_domain_block: E-Mail-Domain auf Blacklist setzen
approve: Akzeptieren
- approved_msg: "%{username}'s Anmeldeantrag erfolgreich genehmigt"
+ approved_msg: Anmeldeantrag von %{username} erfolgreich genehmigt
are_you_sure: Bist du sicher?
avatar: Profilbild
by_domain: Domain
change_email:
+ changed_msg: E-Mail erfolgreich geändert!
current_email: Aktuelle E-Mail-Adresse
label: E-Mail-Adresse ändern
new_email: Neue E-Mail-Adresse
submit: E-Mail-Adresse ändern
title: E-Mail-Adresse für %{username} ändern
+ change_role:
+ changed_msg: Rolle erfolgreich geändert!
+ label: Rolle ändern
+ no_role: Keine Rolle
+ title: Rolle für %{username} ändern
confirm: Bestätigen
confirmed: Bestätigt
confirming: Bestätigung
@@ -115,7 +120,7 @@ de:
delete: Daten löschen
deleted: Gelöscht
demote: Degradieren
- destroyed_msg: "%{username}'s Daten wurden zum Löschen in die Warteschlange eingereiht"
+ destroyed_msg: Daten von %{username} wurden zum Löschen in die Warteschlange eingereiht
disable: Ausschalten
disable_sign_in_token_auth: Deaktiviere die Zwei-Faktor-Authentifizierung per E-Mail
disable_two_factor_authentication: 2FA abschalten
@@ -128,12 +133,12 @@ de:
enable: Freischalten
enable_sign_in_token_auth: Aktiviere die Zwei-Faktor-Authentifizierung per E-Mail
enabled: Freigegeben
- enabled_msg: "%{username}'s Konto erfolgreich freigegeben"
+ enabled_msg: Konto von %{username} erfolgreich freigegeben
followers: Follower
follows: Folgt
header: Titelbild
inbox_url: Posteingangs-URL
- invite_request_text: Begründung für das beitreten
+ invite_request_text: Begründung für das Beitreten
invited_by: Eingeladen von
ip: IP-Adresse
joined: Beigetreten
@@ -146,11 +151,12 @@ de:
media_attachments: Dateien
memorialize: In Gedenkmal verwandeln
memorialized: Memorialisiert
- memorialized_msg: "%{username} wurde erfolgreich in ein memorialisiertes Konto umgewandelt"
+ memorialized_msg: "%{username} wurde erfolgreich in ein In-Memoriam-Konto umgewandelt"
moderation:
active: Aktiv
all: Alle
pending: In Warteschlange
+ silenced: Limitiert
suspended: Gesperrt
title: Moderation
moderation_notes: Moderationsnotizen
@@ -158,6 +164,7 @@ de:
most_recent_ip: Letzte IP-Adresse
no_account_selected: Keine Konten wurden geändert, da keine ausgewählt wurden
no_limits_imposed: Keine Beschränkungen
+ no_role_assigned: Keine Rolle zugewiesen
not_subscribed: Nicht abonniert
pending: In Warteschlange
perform_full_suspension: Verbannen
@@ -172,11 +179,11 @@ de:
redownload: Profil neu laden
redownloaded_msg: Profil von %{username} erfolgreich von Ursprung aktualisiert
reject: Ablehnen
- rejected_msg: "%{username}'s Anmeldeantrag erfolgreich abgelehnt"
+ rejected_msg: Anmeldeantrag von %{username} erfolgreich abgelehnt
remove_avatar: Profilbild entfernen
remove_header: Titelbild entfernen
removed_avatar_msg: Profilbild von %{username} erfolgreich entfernt
- removed_header_msg: "%{username}'s Titelbild wurde erfolgreich entfernt"
+ removed_header_msg: Titelbild von %{username} wurde erfolgreich entfernt
resend_confirmation:
already_confirmed: Diese_r Benutzer_in wurde bereits bestätigt
send: Bestätigungs-E-Mail erneut senden
@@ -184,9 +191,10 @@ de:
reset: Zurücksetzen
reset_password: Passwort zurücksetzen
resubscribe: Wieder abonnieren
+ role: Rolle
search: Suche
search_same_email_domain: Andere Benutzer mit der gleichen E-Mail-Domain
- search_same_ip: Andere Benutzer mit derselben IP
+ search_same_ip: Andere Benutzer mit derselben IP-Adresse
security_measures:
only_password: Nur Passwort
password_and_2fa: Passwort und 2FA
@@ -203,7 +211,7 @@ de:
subscribe: Abonnieren
suspend: Suspendieren
suspended: Verbannt
- suspension_irreversible: Die Daten dieses Kontos wurden unwiderruflich gelöscht. Du kannst das Konto aufheben, um es brauchbar zu machen, aber es wird keine Daten wiederherstellen, die es davor schon hatte.
+ suspension_irreversible: Die Daten dieses Kontos wurden unwiderruflich gelöscht. Du kannst das Konto aufheben, um es wieder brauchbar zu machen, aber es wird keine Daten wiederherstellen, die es davor hatte.
suspension_reversible_hint_html: Das Konto wurde gesperrt und die Daten werden am %{date} vollständig gelöscht. Bis dahin kann das Konto ohne irgendwelche negativen Auswirkungen wiederhergestellt werden. Wenn du alle Daten des Kontos sofort entfernen möchtest, kannst du dies nachfolgend tun.
title: Konten
unblock_email: E-Mail Adresse entsperren
@@ -212,7 +220,7 @@ de:
undo_sensitized: Nicht mehr als NSFW markieren
undo_silenced: Stummschaltung aufheben
undo_suspension: Verbannung aufheben
- unsilenced_msg: "%{username}'s Konto erfolgreich freigegeben"
+ unsilenced_msg: Konto von %{username} erfolgreich freigegeben
unsubscribe: Abbestellen
unsuspended_msg: Konto von %{username} erfolgreich freigegeben
username: Profilname
@@ -226,18 +234,22 @@ de:
approve_user: Benutzer genehmigen
assigned_to_self_report: Bericht zuweisen
change_email_user: E-Mail des Benutzers ändern
+ change_role_user: Rolle des Benutzers ändern
confirm_user: Benutzer bestätigen
create_account_warning: Warnung erstellen
create_announcement: Ankündigung erstellen
- create_custom_emoji: Eigene Emoji erstellen
+ create_canonical_email_block: E-Mail-Block erstellen
+ create_custom_emoji: Eigene Emojis erstellen
create_domain_allow: Domain erlauben
create_domain_block: Domain blockieren
create_email_domain_block: E-Mail-Domain-Block erstellen
create_ip_block: IP-Regel erstellen
create_unavailable_domain: Nicht verfügbare Domain erstellen
+ create_user_role: Rolle erstellen
demote_user: Benutzer degradieren
destroy_announcement: Ankündigung löschen
- destroy_custom_emoji: Eigene Emoji löschen
+ destroy_canonical_email_block: E-Mail-Blockade löschen
+ destroy_custom_emoji: Eigene Emojis löschen
destroy_domain_allow: Erlaube das Löschen von Domains
destroy_domain_block: Domain-Blockade löschen
destroy_email_domain_block: E-Mail-Domain-Blockade löschen
@@ -245,6 +257,7 @@ de:
destroy_ip_block: IP-Regel löschen
destroy_status: Beitrag löschen
destroy_unavailable_domain: Nicht verfügbare Domain löschen
+ destroy_user_role: Rolle löschen
disable_2fa_user: 2FA deaktivieren
disable_custom_emoji: Benutzerdefiniertes Emoji deaktivieren
disable_sign_in_token_auth_user: Zwei-Faktor-Authentifizierung per E-Mail für den Nutzer deaktiviert
@@ -270,25 +283,31 @@ de:
unsuspend_account: Konto nicht mehr sperren
update_announcement: Ankündigung aktualisieren
update_custom_emoji: Benutzerdefiniertes Emoji aktualisieren
- update_domain_block: Domain Block aktualisieren
+ update_domain_block: Domain-Blockade aktualisieren
+ update_ip_block: IP-Regel aktualisieren
update_status: Beitrag aktualisieren
+ update_user_role: Rolle aktualisieren
actions:
approve_appeal_html: "%{name} genehmigte die Moderationsbeschlüsse von %{target}"
approve_user_html: "%{name} genehmigte die Anmeldung von %{target}"
assigned_to_self_report_html: "%{name} hat sich die Meldung %{target} selbst zugewiesen"
change_email_user_html: "%{name} hat die E-Mail-Adresse des Nutzers %{target} geändert"
+ change_role_user_html: "%{name} hat die Rolle von %{target} geändert"
confirm_user_html: "%{name} hat die E-Mail-Adresse von %{target} bestätigt"
create_account_warning_html: "%{name} hat eine Warnung an %{target} gesendet"
create_announcement_html: "%{name} hat die neue Ankündigung %{target} erstellt"
+ create_canonical_email_block_html: "%{name} hat die E-Mail mit dem Hash %{target} blockiert"
create_custom_emoji_html: "%{name} hat neues Emoji %{target} hochgeladen"
create_domain_allow_html: "%{name} hat die Domain %{target} gewhitelistet"
create_domain_block_html: "%{name} hat die Domain %{target} blockiert"
create_email_domain_block_html: "%{name} hat die E-Mail-Domain %{target} geblacklistet"
create_ip_block_html: "%{name} hat eine Regel für IP %{target} erstellt"
create_unavailable_domain_html: "%{name} hat die Lieferung an die Domain %{target} eingestellt"
+ create_user_role_html: "%{name} hat die Rolle %{target} erstellt"
demote_user_html: "%{name} stufte Benutzer_in %{target} herunter"
destroy_announcement_html: "%{name} hat die neue Ankündigung %{target} gelöscht"
- destroy_custom_emoji_html: "%{name} zerstörte Emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} hat die E-Mail mit dem Hash %{target} freigegeben"
+ destroy_custom_emoji_html: "%{name} hat das %{target} Emoji gelöscht"
destroy_domain_allow_html: "%{name} hat die Domain %{target} von der Whitelist entfernt"
destroy_domain_block_html: "%{name} hat die Domain %{target} entblockt"
destroy_email_domain_block_html: "%{name} hat die E-Mail-Domain %{target} gewhitelistet"
@@ -296,12 +315,13 @@ de:
destroy_ip_block_html: "%{name} hat eine Regel für IP %{target} gelöscht"
destroy_status_html: "%{name} hat einen Beitrag von %{target} entfernt"
destroy_unavailable_domain_html: "%{name} setzte die Lieferung an die Domain %{target} fort"
+ destroy_user_role_html: "%{name} hat die Rolle %{target} gelöscht"
disable_2fa_user_html: "%{name} hat Zwei-Faktor-Anforderung für Benutzer_in %{target} deaktiviert"
disable_custom_emoji_html: "%{name} hat das %{target} Emoji deaktiviert"
disable_sign_in_token_auth_user_html: "%{name} hat die E-Mail-Token Authentifizierung für %{target} deaktiviert"
disable_user_html: "%{name} hat Zugang von Benutzer_in %{target} deaktiviert"
enable_custom_emoji_html: "%{name} hat das %{target} Emoji aktiviert"
- enable_sign_in_token_auth_user_html: "%{name} hat die E-Mail-Token Authentifizierung für %{target} aktiviert"
+ enable_sign_in_token_auth_user_html: "%{name} hat die E-Mail-Token-Authentifizierung für %{target} aktiviert"
enable_user_html: "%{name} hat Zugang von Benutzer_in %{target} aktiviert"
memorialize_account_html: "%{name} hat das Konto von %{target} in eine Gedenkseite umgewandelt"
promote_user_html: "%{name} hat %{target} befördert"
@@ -311,19 +331,20 @@ de:
reopen_report_html: "%{name} hat die Meldung %{target} wieder geöffnet"
reset_password_user_html: "%{name} hat das Passwort von %{target} zurückgesetzt"
resolve_report_html: "%{name} hat die Meldung %{target} bearbeitet"
- sensitive_account_html: "%{name} markierte %{target}'s Medien als NSFW"
+ sensitive_account_html: "%{name} markierte die Medien von %{target} als NSFW"
silence_account_html: "%{name} hat das Konto von %{target} stummgeschaltet"
suspend_account_html: "%{name} hat das Konto von %{target} verbannt"
unassigned_report_html: "%{name} hat die Zuweisung der Meldung %{target} entfernt"
- unblock_email_account_html: "%{name} entsperrte %{target}'s E-Mail-Adresse"
- unsensitive_account_html: "%{name} markierte %{target}'s Medien nicht als NSFW"
+ unblock_email_account_html: "%{name} entsperrte die E-Mail-Adresse von %{target}"
+ unsensitive_account_html: "%{name} markierte Medien von %{target} als nicht NSFW"
unsilence_account_html: "%{name} hat die Stummschaltung von %{target} aufgehoben"
unsuspend_account_html: "%{name} hat die Verbannung von %{target} aufgehoben"
update_announcement_html: "%{name} aktualisierte Ankündigung %{target}"
update_custom_emoji_html: "%{name} hat das %{target} Emoji geändert"
update_domain_block_html: "%{name} hat den Domain-Block für %{target} aktualisiert"
+ update_ip_block_html: "%{name} hat die Regel für IP %{target} geändert"
update_status_html: "%{name} hat einen Beitrag von %{target} aktualisiert"
- deleted_status: "(gelöschter Beitrag)"
+ update_user_role_html: "%{name} hat die Rolle %{target} geändert"
empty: Keine Protokolle gefunden.
filter_by_action: Nach Aktion filtern
filter_by_user: Nach Benutzer filtern
@@ -458,11 +479,11 @@ de:
resolve: Domain auflösen
title: Neue E-Mail-Domain-Blockade
no_email_domain_block_selected: Es wurden keine E-Mail-Domain-Blockierungen geändert, da keine ausgewählt wurden
- resolved_dns_records_hint_html: Der Domain-Name wird an die folgenden MX-Domains aufgelöst, die letztendlich für die Annahme von E-Mails verantwortlich sind. Das Blockieren einer MX-Domain blockiert Anmeldungen von jeder E-Mail-Adresse, die dieselbe MX-Domain verwendet, auch wenn der sichtbare Domainname anders ist. Achte darauf große E-Mail-Anbieter nicht zu blockieren.
+ resolved_dns_records_hint_html: Der Domain-Name wird an die folgenden MX-Domains aufgelöst, die letztendlich für die Annahme von E-Mails verantwortlich sind. Das Blockieren einer MX-Domain blockiert Anmeldungen von jeder E-Mail-Adresse, welche dieselbe MX-Domain verwendet, auch wenn der sichtbare Domainname anders ist. Achte darauf, große E-Mail-Anbieter nicht zu blockieren.
resolved_through_html: Durch %{domain} aufgelöst
title: E-Mail-Domain-Blockade
follow_recommendations:
- description_html: "Folgeempfehlungen helfen neuen Nutzern dabei, schnell interessante Inhalte zu finden. Wenn ein Nutzer noch nicht genug mit anderen interagiert hat, um personalisierte Folgeempfehlungen zu erstellen, werden stattdessen diese Benutzerkonten verwendet. Sie werden täglich basiert auf einer Mischung aus am meisten interagierenden Benutzerkonten und solchen mit den meisten Folgenden für eine bestimmte Sprache neuberechnet."
+ description_html: "Folgeempfehlungen helfen neuen Nutzern dabei, schnell interessante Inhalte zu finden. Wenn ein Nutzer noch nicht genug mit anderen interagiert hat, um personalisierte Folgeempfehlungen zu erstellen, werden stattdessen diese Benutzerkonten verwendet. Sie werden täglich basierend auf einer Mischung aus am meisten interagierenden Benutzerkonten und jenen mit den meisten Folgenden für eine bestimmte Sprache neuberechnet."
language: Für Sprache
status: Status
suppress: Folgeempfehlungen unterdrücken
@@ -568,7 +589,7 @@ de:
disable: Ausschalten
disabled: Ausgeschaltet
enable: Einschalten
- enable_hint: Sobald aktiviert wird dein Server alle öffentlichen Beiträge dieses Relays abonnieren und wird alle öffentlichen Beiträge dieses Servers an es senden.
+ enable_hint: Sobald aktiviert, wird dein Server alle öffentlichen Beiträge dieses Relays abonnieren und alle öffentlichen Beiträge dieses Servers an dieses senden.
enabled: Eingeschaltet
inbox_url: Relay-URL
pending: Warte auf Zustimmung des Relays
@@ -590,12 +611,12 @@ de:
action_taken_by: Maßnahme ergriffen durch
actions:
delete_description_html: Der gemeldete Beitrag wird gelöscht und ein Strike wird aufgezeichnet, um dir bei zukünftigen Verstößen des gleichen Accounts zu helfen.
- mark_as_sensitive_description_html: The media in the reported posts will be marked as sensitive and a strike will be recorded to help you escalate on future infractions by the same account.
- other_description_html: Weitere Optionen zur Kontrolle des Kontoverhaltens und zur Anpassung der Kommunikation an das gemeldete Konto.
- resolve_description_html: Es wird keine Maßnahme gegen den gemeldeten Account ergriffen, es wird kein Strike verzeichnet und die Meldung wird geschlossen.
- silence_description_html: Das Profil wird nur für diejenigen sichtbar sein, die es bereits verfolgen oder manuell nachschlagen und die Reichweite wird stark begrenzt. Kann immer rückgängig gemacht werden.
+ mark_as_sensitive_description_html: Die Medien in den gemeldeten Beiträgen werden als NSFW markiert und ein Strike wird notiert, um dir dabei zu helfen, härter auf zukünftige Zuwiderhandlungen desselben Kontos zu reagieren.
+ other_description_html: Weitere Optionen zur Kontrolle des Kontoverhaltens und zur Anpassung der Kommunikation mit dem gemeldeten Konto.
+ resolve_description_html: Es wird keine Maßnahme gegen das gemeldete Konto ergriffen, es wird kein Strike verzeichnet und die Meldung wird geschlossen.
+ silence_description_html: Das Profil wird nur für diejenigen sichtbar sein, die ihm bereits folgen oder es manuell nachschlagen, und die Reichweite wird stark begrenzt. Kann immer rückgängig gemacht werden.
suspend_description_html: Das Profil und alle seine Inhalte werden unzugänglich werden, bis es schließlich gelöscht wird. Interaktion mit dem Konto wird unmöglich sein. Reversibel innerhalb von 30 Tagen.
- actions_description_html: Entscheide, welche Maßnahmen zur Lösung dieses Berichts zu ergreifen sind. Wenn du eine Strafmaßnahme gegen das gemeldete Konto ergreifst, wird eine E-Mail-Benachrichtigung an diese gesendet außer wenn die Spam Kategorie ausgewählt ist.
+ actions_description_html: Entscheide, welche Maßnahmen zur Lösung dieses Berichts zu ergreifen sind. Wenn du eine Strafmaßnahme gegen das gemeldete Konto ergreifst, wird eine E-Mail-Benachrichtigung an diese gesendet, außer wenn die Spam-Kategorie ausgewählt ist.
add_to_report: Mehr zur Meldung hinzufügen
are_you_sure: Bist du dir sicher?
assign_to_self: Mir zuweisen
@@ -605,7 +626,7 @@ de:
category_description_html: Der Grund, warum dieses Konto und/oder der Inhalt gemeldet wurden, wird in der Kommunikation mit dem gemeldeten Konto zitiert
comment:
none: Kein
- comment_description_html: 'Um weitere Informationen bereitzustellen, schrieb %{name} folgendes:'
+ comment_description_html: 'Um weitere Informationen bereitzustellen, schrieb %{name} Folgendes:'
created_at: Gemeldet
delete_and_resolve: Beiträge löschen
forwarded: Weitergeleitet
@@ -640,10 +661,71 @@ de:
unresolved: Ungelöst
updated_at: Aktualisiert
view_profile: Zeige Profil
+ roles:
+ add_new: Rolle hinzufügen
+ assigned_users:
+ one: "%{count} Benutzer"
+ other: "%{count} Benutzer"
+ categories:
+ administration: Administration
+ devops: DevOps
+ invites: Einladungen
+ moderation: Moderation
+ special: Spezial
+ delete: Löschen
+ description_html: Mit Benutzerrollenkannst du die Funktionen und Bereiche von Mastodon anpassen, auf die deine Benutzer zugreifen können.
+ edit: "'%{name}' Rolle bearbeiten"
+ everyone: Standardberechtigungen
+ everyone_full_description_html: Das ist die -Basis-Rolle, die jeden Benutzer betrifft, auch diejenigen ohne zugewiesene Rolle. Alle anderen Rollen erben Berechtigungen davon.
+ permissions_count:
+ one: "%{count} Berechtigung"
+ other: "%{count} Berechtigungen"
+ privileges:
+ administrator: Administrator
+ administrator_description: Benutzer mit dieser Berechtigung werden jede Berechtigung umgehen
+ delete_user_data: Benutzerdaten löschen
+ delete_user_data_description: Erlaubt Benutzern, die Daten anderer Benutzer ohne Verzögerung zu löschen
+ invite_users: Benutzer einladen
+ invite_users_description: Erlaubt Benutzern, neue Leute zum Server einzuladen
+ manage_announcements: Ankündigungen verwalten
+ manage_announcements_description: Erlaubt Benutzern, Ankündigungen auf dem Server zu verwalten
+ manage_appeals: Anträge verwalten
+ manage_appeals_description: Erlaubt es Benutzern, Anträge gegen Moderationsaktionen zu überprüfen
+ manage_blocks: Geblocktes verwalten
+ manage_blocks_description: Erlaubt Benutzern, E-Mail-Anbieter und IP-Adressen zu blockieren
+ manage_custom_emojis: Benutzerdefinierte Emojis verwalten
+ manage_custom_emojis_description: Erlaubt es Benutzern, eigene Emojis auf dem Server zu verwalten
+ manage_federation: Föderation verwalten
+ manage_federation_description: Erlaubt es Benutzern, Föderation mit anderen Domains zu blockieren oder zuzulassen und die Zustellbarkeit zu kontrollieren
+ manage_invites: Einladungen verwalten
+ manage_invites_description: Erlaubt es Benutzern, Einladungslinks zu durchsuchen und zu deaktivieren
+ manage_reports: Meldungen verwalten
+ manage_reports_description: Erlaubt es Benutzern, Meldungen zu überprüfen und Moderationsaktionen gegen sie durchzuführen
+ manage_roles: Rollen verwalten
+ manage_roles_description: Erlaubt es Benutzern, Rollen unter ihren Rollen zu verwalten und zuzuweisen
+ manage_rules: Regeln verwalten
+ manage_rules_description: Erlaubt es Benutzern, Serverregeln zu ändern
+ manage_settings: Einstellungen verwalten
+ manage_settings_description: Erlaubt es Benutzern, Seiten-Einstellungen zu ändern
+ manage_taxonomies: Taxonomien verwalten
+ manage_taxonomies_description: Ermöglicht Benutzern die Überprüfung angesagter Inhalte und das Aktualisieren der Hashtag-Einstellungen
+ manage_user_access: Benutzerzugriff verwalten
+ manage_user_access_description: Erlaubt es Benutzern, die Zwei-Faktor-Authentifizierung anderer Benutzer zu deaktivieren, ihre E-Mail-Adresse zu ändern und ihr Passwort zurückzusetzen
+ manage_users: Benutzer verwalten
+ manage_users_description: Erlaubt es Benutzern, die Details anderer Benutzer anzuzeigen und Moderationsaktionen gegen sie auszuführen
+ manage_webhooks: Webhooks verwalten
+ manage_webhooks_description: Erlaubt es Benutzern, Webhooks für administrative Ereignisse einzurichten
+ view_audit_log: Audit-Log anzeigen
+ view_audit_log_description: Erlaubt es Benutzern, den Verlauf von administrativen Aktionen auf dem Server zu sehen
+ view_dashboard: Dashboard anzeigen
+ view_dashboard_description: Gewährt Benutzern den Zugriff auf das Dashboard und verschiedene Metriken
+ view_devops: DevOps
+ view_devops_description: Erlaubt es Benutzern, auf die Sidekiq- und pgHero-Dashboards zuzugreifen
+ title: Rollen
rules:
add_new: Regel hinzufügen
delete: Löschen
- description_html: Während die meisten behaupten, die Nutzungsbedingungen gelesen und akzeptiert zu haben, lesen die Menschen sie in der Regel erst nach einem Problem. Vereinfache es, die Regeln deines Servers auf einen Blick zu sehen, indem du sie in einer einfachen Auflistung zur Verfügung stellst. Versuche die einzelnen Regeln kurz und einfach zu halten, aber versuche nicht, sie in viele verschiedene Elemente aufzuteilen.
+ description_html: Während die meisten behaupten, die Nutzungsbedingungen gelesen und akzeptiert zu haben, lesen die Menschen sie in der Regel erst nach einem Problem. Vereinfache es, die Regeln deines Servers auf einen Blick zu sehen, indem du sie in einer einfachen Auflistung zur Verfügung stellst. Versuche, die einzelnen Regeln kurz und einfach zu halten, aber versuche nicht, sie in viele verschiedene Elemente aufzuteilen.
edit: Regel bearbeiten
empty: Es wurden bis jetzt keine Server-Regeln definiert.
title: Server-Regeln
@@ -652,13 +734,13 @@ de:
desc_html: Anzahl der lokal geposteten Beiträge, aktiven Nutzern und neuen Registrierungen in wöchentlichen Zusammenfassungen
title: Veröffentliche gesamte Statistiken über Benutzeraktivitäten
bootstrap_timeline_accounts:
- desc_html: Mehrere Profilnamen durch Kommata trennen. Diese Accounts werden immer in den Folgemempfehlungen angezeigt
- title: Konten, die Neu-Angemeldete empfohlen bekommen sollen
+ desc_html: Mehrere Profilnamen durch Kommata trennen. Diese Konten werden immer in den Folgemempfehlungen angezeigt
+ title: Konten, welche neuen Benutzern empfohlen werden sollen
contact_information:
email: Öffentliche E-Mail-Adresse
username: Profilname für die Kontaktaufnahme
custom_css:
- desc_html: Verändere das Aussehen mit CSS, dass auf jeder Seite geladen wird
+ desc_html: Verändere das Aussehen mit CSS-Stilen, die auf jeder Seite geladen werden
title: Benutzerdefiniertes CSS
default_noindex:
desc_html: Beeinflusst alle Benutzer, die diese Einstellung nicht selbst geändert haben
@@ -674,7 +756,7 @@ de:
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 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
+ desc_html: Angezeigt auf mehreren Seiten. Mehr als 293x205px empfohlen. Wenn es nicht gesetzt wurde, wird stattdessen das Standard-Maskottchen genutzt werden.
title: Maskottchen-Bild
peers_api_enabled:
desc_html: Domain-Namen, die der Server im Fediversum gefunden hat
@@ -683,7 +765,7 @@ de:
desc_html: Linkvorschauen auf anderen Webseiten werden ein Vorschaubild anzeigen, obwohl die Medien als NSFW markiert sind
title: NSFW-Medien in OpenGraph-Vorschau anzeigen
profile_directory:
- desc_html: Erlaube Benutzer auffindbar zu sein
+ desc_html: Erlaube es Benutzern, auffindbar zu sein
title: Aktiviere Profilverzeichnis
registrations:
closed_message:
@@ -693,7 +775,7 @@ de:
desc_html: Allen erlauben, ihr Konto eigenmächtig zu löschen
title: Kontolöschung erlauben
require_invite_text:
- desc_html: Wenn eine Registrierung manuell genehmigt werden muss, mache den "Warum möchtest du beitreten?" Text eher obligatorisch als optional
+ desc_html: Wenn eine Registrierung manuell genehmigt werden muss, mache den „Warum möchtest du beitreten?“-Text obligatorisch statt optional
title: Neue Benutzer müssen einen Einladungstext ausfüllen
registrations_mode:
modes:
@@ -702,7 +784,7 @@ de:
open: Jeder kann sich registrieren
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.
+ desc_html: Wenn aktiviert, wird es alle Beiträge aus dem bereits bekannten Teil des Födiversums auf der Startseite anzeigen. Andernfalls werden lokale Beitrage des Servers angezeigt.
title: Zeige eine öffentliche Zeitleiste auf der Einstiegsseite
site_description:
desc_html: Einleitungsabschnitt auf der Frontseite. Beschreibe, was diesen Mastodon-Server ausmacht. Du kannst HTML-Tags benutzen, insbesondere <a> und <em>.
@@ -711,11 +793,11 @@ 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 von anderen unterscheidet. Falls leer, wird die Server-Beschreibung verwendet.
+ desc_html: Wird in der Seitenleiste und in Meta-Tags angezeigt. 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 nutzen
- title: Benutzerdefinierte Geschäftsbedingungen
+ desc_html: Sie können Ihre eigenen Datenschutzrichtlinien schreiben. Sie können HTML-Tags verwenden
+ title: Benutzerdefinierte Datenschutzerklärung
site_title: Name des Servers
thumbnail:
desc_html: Wird für die Vorschau via OpenGraph und API verwendet. 1200×630 px wird empfohlen
@@ -725,8 +807,8 @@ de:
title: Zeitleisten-Vorschau
title: Server-Einstellungen
trendable_by_default:
- desc_html: Betroffene Hashtags, die bisher nicht gesperrt wurden
- title: Hashtags ohne vorherige Überprüfung erlauben zu trenden
+ desc_html: Bestimmte angesagte Inhalte können immer noch explizit deaktiviert werden
+ title: Trends ohne vorherige Überprüfung erlauben
trends:
desc_html: Zuvor überprüfte Hashtags öffentlich anzeigen, die derzeit angesagt sind
title: Trendende Hashtags
@@ -751,24 +833,24 @@ de:
disable: "%{name} hat das Konto von %{target} eingefroren"
mark_statuses_as_sensitive: "%{name} markierte %{target}'s Beiträge als NSFW"
none: "%{name} hat eine Warnung an %{target} gesendet"
- sensitive: "%{name} markierte %{target}'s Konto als NSFW"
+ sensitive: "%{name} markierte das Konto von %{target} als NSFW"
silence: "%{name} hat das Konto von %{target} eingeschränkt"
suspend: "%{name} hat das Konto von %{target} verbannt"
appeal_approved: Einspruch angenommen
appeal_pending: Einspruch ausstehend
system_checks:
database_schema_check:
- message_html: Es gibt ausstehende Datenbankmigrationen. Bitte führen Sie sie aus, um sicherzustellen, dass sich die Anwendung wie erwartet verhält
+ message_html: Es gibt ausstehende Datenbankmigrationen. Bitte führe sie aus, um sicherzustellen, dass sich die Anwendung wie erwartet verhält
elasticsearch_running_check:
- message_html: Verbindung mit Elasticsearch konnte nicht hergestellt werden. Bitte prüfe ob Elasticsearch läuft oder deaktiviere die Volltextsuche
+ message_html: Verbindung mit Elasticsearch konnte nicht hergestellt werden. Bitte prüfe, ob Elasticsearch läuft, oder deaktiviere die Volltextsuche
elasticsearch_version_check:
message_html: 'Inkompatible Elasticsearch-Version: %{value}'
version_comparison: Elasticsearch %{running_version} läuft, aber %{required_version} wird benötigt
rules_check:
action: Serverregeln verwalten
- message_html: Sie haben keine Serverregeln definiert.
+ message_html: Du hast keine Serverregeln definiert.
sidekiq_process_check:
- message_html: Kein Sidekiq-Prozess läuft für die %{value} Warteschlange(n). Bitte überprüfen Sie Ihre Sidekiq-Konfiguration
+ message_html: Kein Sidekiq-Prozess läuft für die %{value} Warteschlange(n). Bitte überprüfe deine Sidekiq-Konfiguration
tags:
review: Prüfstatus
updated_msg: Hashtageinstellungen wurden erfolgreich aktualisiert
@@ -780,26 +862,26 @@ de:
links:
allow: Erlaube Link
allow_provider: Erlaube Herausgeber
- description_html: Dies sind Links, die derzeit von Konten geteilt werden, von denen dein Server Beiträge sieht. Es kann deinen Benutzern helfen, herauszufinden, was in der Welt vor sich geht. Es werden keine Links öffentlich angezeigt, bis du den Publisher genehmigst. Du kannst auch einzelne Links zulassen oder ablehnen.
+ description_html: Dies sind Links, die derzeit von Konten geteilt werden, von denen dein Server Beiträge sieht. Es kann deinen Benutzern helfen herauszufinden, was in der Welt vor sich geht. Es werden keine Links öffentlich angezeigt, bis du den Publisher genehmigst. Du kannst auch einzelne Links zulassen oder ablehnen.
disallow: Verbiete Link
disallow_provider: Verbiete Herausgeber
shared_by_over_week:
one: In der letzten Woche von einer Person geteilt
other: In der letzten Woche von %{count} Personen geteilt
title: Angesagte Links
- usage_comparison: Heute %{today} mal geteilt, gestern %{yesterday} mal
+ usage_comparison: Heute %{today} Mal geteilt, gestern %{yesterday} Mal
only_allowed: Nur Erlaubte
pending_review: Überprüfung ausstehend
preview_card_providers:
allowed: Links von diesem Herausgeber können angesagt sein
- description_html: Dies sind Domains, von denen Links oft auf deinem Server geteilt werden. Links werden sich nicht öffentlich trenden, es sei denn, die Domain des Links wird genehmigt. Deine Zustimmung (oder Ablehnung) erstreckt sich auf Subdomains.
+ description_html: Dies sind Domains, von denen Links oft auf deinem Server geteilt werden. Links werden nicht öffentlich trenden, es sei denn, die Domain des Links wird genehmigt. Deine Zustimmung (oder Ablehnung) erstreckt sich auf Subdomains.
rejected: Links von diesem Herausgeber können nicht angesagt sein
title: Herausgeber
rejected: Abgelehnt
statuses:
allow: Beitrag erlauben
allow_account: Autor erlauben
- description_html: Dies sind Beiträge, von denen dein Server weiß, dass sie derzeit viel geteilt und favorisiert werden. Es kann deinen neuen und wiederkehrenden Benutzern helfen, weitere Personen zu finden. Es werden keine Beiträge öffentlich angezeigt, bis du den Autor genehmigst und der Autor es zulässt deren Konto anderen Benutzern zu zeigen. Du kannst auch einzelne Beiträge zulassen oder ablehnen.
+ description_html: Dies sind Beiträge, von denen dein Server weiß, dass sie derzeit viel geteilt und favorisiert werden. Es kann deinen neuen und wiederkehrenden Benutzern helfen, weitere Personen zu finden. Es werden keine Beiträge öffentlich angezeigt, bis du den Autor genehmigst und der Autor es zulässt, sein Konto anderen Benutzern zeigen zu lassen. Du kannst auch einzelne Beiträge zulassen oder ablehnen.
disallow: Beitrag verbieten
disallow_account: Autor verbieten
not_discoverable: Der Autor hat sich nicht dafür entschieden, entdeckt zu werden
@@ -825,7 +907,7 @@ de:
trendable: Darf unter Trends erscheinen
trending_rank: 'Trend #%{rank}'
usable: Kann verwendet werden
- usage_comparison: Heute %{today} mal genutzt, gestern %{yesterday} mal
+ usage_comparison: Heute %{today} Mal genutzt, gestern %{yesterday} Mal
used_by_over_week:
one: In der letzten Woche von einer Person genutzt
other: In der letzten Woche von %{count} Personen genutzt
@@ -867,9 +949,9 @@ de:
sensitive: deren Konto als NSFW zu markieren
silence: deren Konto zu beschränken
suspend: deren Konto zu sperren
- body: "%{target} hat was gegen eine Moderationsentscheidung von %{action_taken_by} von %{date}, die %{type} war. Die Person schrieb:"
+ body: "%{target} hat etwas gegen eine Moderationsentscheidung von %{action_taken_by} von %{date}, die %{type} war. Die Person schrieb:"
next_steps: Du kannst dem Einspruch zustimmen und die Moderationsentscheidung rückgängig machen oder ignorieren.
- subject: "%{username} hat Einspruch an einer Moderationsentscheidung von %{instance}"
+ subject: "%{username} hat Einspruch gegen eine Moderationsentscheidung von %{instance} eingelegt"
new_pending_account:
body: Die Details von diesem neuem Konto sind unten. Du kannst die Anfrage akzeptieren oder ablehnen.
subject: Neues Konto zur Überprüfung auf %{instance} verfügbar (%{username})
@@ -895,13 +977,13 @@ de:
aliases:
add_new: Alias erstellen
created_msg: Ein neuer Alias wurde erfolgreich erstellt. Du kannst nun den Wechsel vom alten Konto starten.
- deleted_msg: Der Alias wurde erfolgreich entfernt. Aus diesem Konto zu diesem zu verschieben ist nicht mehr möglich.
+ deleted_msg: Der Alias wurde erfolgreich entfernt. Aus jenem Konto zu diesem zu verschieben, ist nicht mehr möglich.
empty: Du hast keine Aliase.
- hint_html: Wenn du von einem Konto zu einem anderem Konto wechseln möchtest, dann kannst du einen Alias erstellen, welcher benötigt wird bevor du deine Folgenden vom altem Account zu diesen migrierst. Die Aktion alleine ist harmlos und widerruflich. Die Kontenmigration wird vom altem Konto aus eingeleitet.
+ hint_html: Wenn du von einem Konto zu einem anderem Konto wechseln möchtest, dann kannst du einen Alias erstellen, welcher benötigt wird, bevor du deine Folgenden vom altem Account zu diesen migrierst. Die Aktion alleine ist harmlos und widerruflich. Die Kontenmigration wird vom altem Konto aus eingeleitet.
remove: Alle Aliase aufheben
appearance:
advanced_web_interface: Fortgeschrittene Benutzeroberfläche
- advanced_web_interface_hint: Wenn du mehr aus deiner Bildschirmbreite herausholen möchtest, erlaubt dir die fortgeschrittene Benutzeroberfläche viele unterschiedliche Spalten auf einmal zu sehen, wie z.B. deine Startseite, Benachrichtigungen, das gesamte bekannte Netz, deine Listen und beliebige Hashtags.
+ advanced_web_interface_hint: Wenn du mehr aus deiner Bildschirmbreite herausholen möchtest, erlaubt es dir die fortgeschrittene Benutzeroberfläche, viele unterschiedliche Spalten auf einmal zu sehen, wie z.B. deine Startseite, Benachrichtigungen, das gesamte bekannte Netz, deine Listen und beliebige Hashtags.
animations_and_accessibility: Animationen und Barrierefreiheit
confirmation_dialogs: Bestätigungsfenster
discovery: Entdecken
@@ -968,7 +1050,7 @@ de:
pending: Deine Bewerbung wird von unseren Mitarbeitern noch überprüft. Dies kann einige Zeit dauern. Du erhältst eine E-Mail, wenn deine Bewerbung genehmigt wurde.
redirecting_to: Dein Konto ist inaktiv, da es derzeit zu %{acct} umgeleitet wird.
view_strikes: Zeige frühere Streiks gegen dein Konto
- too_fast: Formular zu schnell gesendet, versuchen Sie es erneut.
+ too_fast: Formular zu schnell gesendet, versuche es erneut.
trouble_logging_in: Schwierigkeiten beim Anmelden?
use_security_key: Sicherheitsschlüssel verwenden
authorize_follow:
@@ -987,7 +1069,7 @@ de:
confirm: Fortfahren
hint_html: "Hinweis: Wir werden dich für die nächste Stunde nicht erneut nach deinem Passwort fragen."
invalid_password: Ungültiges Passwort
- prompt: Gib dein Passwort ein um fortzufahren
+ prompt: Gib dein Passwort ein, um fortzufahren
crypto:
errors:
invalid_key: ist kein gültiger Ed25519- oder Curve25519-Schlüssel
@@ -1017,7 +1099,7 @@ de:
proceed: Konto löschen
success_msg: Dein Konto wurde erfolgreich gelöscht
warning:
- before: 'Bevor du fortfährst, lese bitte diese Punkte sorgfältig durch:'
+ before: 'Bevor du fortfährst, lies bitte diese Punkte sorgfältig durch:'
caches: Inhalte, die von anderen Servern zwischengespeichert wurden, können weiterhin bestehen
data_removal: Deine Beiträge und andere Daten werden dauerhaft entfernt
email_change_html: Du kannst deine E-Mail-Adresse ändern, ohne dein Konto zu löschen
@@ -1066,15 +1148,15 @@ de:
errors:
'400': Die Anfrage, die du gesendet hast, war ungültig oder fehlerhaft.
'403': Dir fehlt die Befugnis, diese Seite sehen zu können.
- '404': Die Seite nach der du gesucht hast wurde nicht gefunden.
+ '404': Die Seite, nach der du gesucht hast, wurde nicht gefunden.
'406': Diese Seite ist im gewünschten Format nicht verfügbar.
- '410': Die Seite nach der du gesucht hast existiert hier nicht mehr.
+ '410': Die Seite, nach der du gesucht hast, existiert hier nicht mehr.
'422':
content: Sicherheitsüberprüfung fehlgeschlagen. Blockierst du Cookies?
title: Sicherheitsüberprüfung fehlgeschlagen
'429': Du wurdest gedrosselt
'500':
- content: Bitte verzeih, etwas ist bei uns schief gegangen.
+ content: Bitte verzeih', etwas ist bei uns schiefgegangen.
title: Diese Seite ist kaputt
'503': Die Seite konnte wegen eines temporären Serverfehlers nicht angezeigt werden.
noscript_html: Bitte aktiviere JavaScript, um die Mastodon-Web-Anwendung zu verwenden. Alternativ kannst du auch eine der nativen Mastodon-Anwendungen für deine Plattform probieren.
@@ -1085,7 +1167,7 @@ de:
archive_takeout:
date: Datum
download: Dein Archiv herunterladen
- hint_html: Du kannst ein Archiv deiner Beiträge und hochgeladenen Medien anfragen. Die exportierten Daten werden in dem ActivityPub-Format gespeichert, welches mit jeder Software lesbar ist die das Format unterstützt. Du kannst alle 7 Tage ein Archiv anfordern.
+ hint_html: Du kannst ein Archiv deiner Beiträge und hochgeladenen Medien anfragen. Die exportierten Daten werden in dem ActivityPub-Format gespeichert, welches mit jeder Software lesbar ist, die das Format unterstützt. Du kannst alle 7 Tage ein Archiv anfordern.
in_progress: Stelle dein Archiv zusammen...
request: Dein Archiv anfragen
size: Größe
@@ -1109,15 +1191,40 @@ de:
public: Öffentliche Zeitleisten
thread: Gespräche
edit:
+ add_keyword: Stichwort hinzufügen
+ keywords: Stichwörter
+ statuses: Individuelle Beiträge
+ statuses_hint_html: Dieser Filter gilt für die Auswahl einzelner Beiträge, unabhängig davon, ob sie mit den unten stehenden Schlüsselwörtern übereinstimmen. Beiträge im Filter ansehen oder entfernen..
title: Filter bearbeiten
errors:
+ deprecated_api_multiple_keywords: Diese Parameter können von dieser Anwendung nicht geändert werden, da sie auf mehr als ein Filterschlüsselwort angewendet werden. Verwende eine neuere Anwendung oder die Web-Schnittstelle.
invalid_context: Ungültiger oder fehlender Kontext übergeben
index:
+ contexts: Filter in %{contexts}
delete: Löschen
empty: Du hast keine Filter.
+ expires_in: Läuft ab in %{distance}
+ expires_on: Läuft am %{date} ab
+ keywords:
+ one: "%{count} Stichwort"
+ other: "%{count} Stichwörter"
+ statuses:
+ one: "%{count} Beitrag"
+ other: "%{count} Beiträge"
+ statuses_long:
+ one: "%{count} individueller Beitrag ausgeblendet"
+ other: "%{count} individuelle Beiträge ausgeblendet"
title: Filter
new:
+ save: Neuen Filter speichern
title: Neuen Filter hinzufügen
+ statuses:
+ back_to_filter: Zurück zum Filter
+ batch:
+ remove: Vom Filter entfernen
+ index:
+ hint: Dieser Filter wird verwendet, um einzelne Beiträge unabhängig von anderen Kriterien auszuwählen. Du kannst mehr Beiträge zu diesem Filter über die Webschnittstelle hinzufügen.
+ title: Gefilterte Beiträge
footer:
developers: Entwickler
more: Mehr…
@@ -1125,12 +1232,22 @@ de:
trending_now: In den Trends
generic:
all: Alle
+ all_items_on_page_selected_html:
+ one: "%{count} Element auf dieser Seite ausgewählt."
+ other: Alle %{count} Elemente auf dieser Seite ausgewählt.
+ all_matching_items_selected_html:
+ one: "%{count} Element trifft auf ihre Suche zu."
+ other: Alle %{count} Elemente, die Ihrer Suche entsprechen, werden ausgewählt.
changes_saved_msg: Änderungen gespeichert!
copy: Kopieren
delete: Löschen
+ deselect: Auswahl für alle aufheben
none: Keine
order_by: Sortieren nach
save_changes: Änderungen speichern
+ select_all_matching_items:
+ one: Wähle %{count} Element, das deiner Suche entspricht.
+ other: Wählen Sie alle %{count} Elemente, die Ihrer Suche entsprechen.
today: heute
validation_errors:
one: Etwas ist noch nicht ganz richtig! Bitte korrigiere den Fehler
@@ -1172,7 +1289,7 @@ de:
one: 1 mal verwendet
other: "%{count} mal verwendet"
max_uses_prompt: Kein Limit
- prompt: Generiere und teile Links um Zugang zu diesem Server zu geben
+ prompt: Generiere und teile Links, um Zugang zu diesem Server zu erteilen
table:
expires_at: Läuft ab
uses: Verwendungen
@@ -1194,7 +1311,7 @@ de:
media_attachments:
validations:
images_and_video: Es kann kein Video an einen Beitrag, der bereits Bilder enthält, angehängt werden
- not_ready: Dateien die noch nicht bearbeitet wurden, können nicht angehängt werden. Versuche es gleich noch einmal!
+ not_ready: Dateien, die noch nicht bearbeitet wurden, können nicht angehängt werden. Versuche es gleich noch einmal!
too_many: Es können nicht mehr als 4 Dateien angehängt werden
migrations:
acct: benutzername@domain des neuen Kontos
@@ -1220,7 +1337,7 @@ de:
set_redirect: Umleitung einrichten
warning:
backreference_required: Das neue Konto muss zuerst so konfiguriert werden, dass es auf das alte Konto referenziert
- before: 'Bevor du fortfährst, lese bitte diese Hinweise sorgfältig durch:'
+ before: 'Bevor du fortfährst, lies bitte diese Hinweise sorgfältig durch:'
cooldown: Nach dem Migrieren wird es eine Abklingzeit geben, in der du das Konto nicht noch einmal migrieren kannst
disabled_account: Dein aktuelles Konto wird nachher nicht vollständig nutzbar sein. Du hast jedoch Zugriff auf den Datenexport sowie die Reaktivierung.
followers: Diese Aktion wird alle Folgende vom aktuellen Konto auf das neue Konto verschieben
@@ -1232,22 +1349,13 @@ de:
move_handler:
carry_blocks_over_text: Dieses Benutzerkonto ist von %{acct} umgezogen, welches du blockiert hast.
carry_mutes_over_text: Dieses Benutzerkonto ist von %{acct} umgezogen, welches du stummgeschaltet hast.
- copy_account_note_text: 'Dieser Benutzer ist von %{acct} umgezogen, hier waren deine letzten Notizen zu diesem Benutzer:'
+ copy_account_note_text: 'Dieser Benutzer ist von %{acct} umgezogen, hier sind deine letzten Notizen zu diesem Benutzer:'
notification_mailer:
admin:
+ report:
+ subject: "%{name} hat eine Meldung eingereicht"
sign_up:
subject: "%{name} registrierte sich"
- digest:
- action: Zeige alle Benachrichtigungen
- body: Hier ist eine kurze Zusammenfassung der Nachrichten, die du seit deinem letzten Besuch am %{since} verpasst hast
- mention: "%{name} hat dich erwähnt:"
- new_followers_summary:
- one: Außerdem ist dir seit du weg warst ein weiteres Konto gefolgt! Juhu!
- other: Außerdem sind dir seit du weg warst %{count} weitere Konten gefolgt! Großartig!
- subject:
- one: "1 neue Mitteilung seit deinem letzten Besuch 🐘"
- other: "%{count} neue Mitteilungen seit deinem letzten Besuch 🐘"
- title: In deiner Abwesenheit...
favourite:
body: 'Dein Beitrag wurde von %{name} favorisiert:'
subject: "%{name} hat deinen Beitrag favorisiert"
@@ -1292,7 +1400,7 @@ de:
trillion: T
otp_authentication:
code_hint: Gib den von deiner Authentifizierungs-App generierten Code ein, um deine Anmeldung zu bestätigen
- description_html: Wenn du Zwei-Faktor-Authentifizierung mit einer Authentifizierungs-App aktivierst, musst du, um dich anzumelden, im Besitz deines Handys sein, dass Tokens für dein Konto generiert.
+ description_html: Wenn du Zwei-Faktor-Authentifizierung mit einer Authentifizierungs-App aktivierst, musst du, um dich anzumelden, im Besitz deines Smartphones sein, welches Tokens für dein Konto generiert.
enable: Aktivieren
instructions_html: "Scanne diesen QR-Code in Google Authenticator oder einer ähnlichen TOTP-App auf deinem Handy. Von nun an generiert diese App Tokens, die du beim Anmelden eingeben musst."
manual_instructions: 'Wenn du den QR-Code nicht scannen kannst und ihn manuell eingeben musst, ist hier das Klartext-Geheimnis:'
@@ -1311,7 +1419,7 @@ de:
duration_too_long: ist zu weit in der Zukunft
duration_too_short: ist zu früh
expired: Die Umfrage ist bereits vorbei
- invalid_choice: Die gewählte Stimmenoption existiert nicht
+ invalid_choice: Die gewählte Abstimmoption existiert nicht
over_character_limit: kann nicht länger als jeweils %{max} Zeichen sein
too_few_options: muss mindestens einen Eintrag haben
too_many_options: kann nicht mehr als %{max} Einträge beinhalten
@@ -1338,7 +1446,7 @@ de:
relationship: Beziehung
remove_selected_domains: Entferne alle Follower von den ausgewählten Domains
remove_selected_followers: Entferne ausgewählte Follower
- remove_selected_follows: Entfolge ausgewählte Benutzer
+ remove_selected_follows: Entfolge ausgewählten Benutzern
status: Kontostatus
remote_follow:
acct: Profilname@Domain, von wo aus du dieser Person folgen möchtest
@@ -1346,7 +1454,7 @@ de:
no_account_html: Noch kein Konto? Du kannst dich hier anmelden
proceed: Weiter
prompt: 'Du wirst dieser Person folgen:'
- reason_html: "Warum ist dieser Schritt erforderlich?%{instance} ist möglicherweise nicht der Server auf dem du registriert bist, also müssen wir dich erst auf deinen Heimserver weiterleiten."
+ reason_html: "Warum ist dieser Schritt erforderlich?%{instance} ist möglicherweise nicht der Server, auf dem du registriert bist, also müssen wir dich erst auf deinen Heimserver weiterleiten."
remote_interaction:
favourite:
proceed: Fortfahren zum Favorisieren
@@ -1366,8 +1474,8 @@ de:
account: Öffentliche Beiträge von @%{acct}
tag: 'Öffentliche Beiträge mit dem Tag #%{hashtag}'
scheduled_statuses:
- over_daily_limit: Du hast das Limit für geplante Beiträge, dass %{limit} beträgt, für heute erreicht
- over_total_limit: Du hast das Limit für geplante Beiträge, dass %{limit} beträgt, erreicht
+ over_daily_limit: Du hast das Limit für geplante Beiträge, welches %{limit} beträgt, für heute erreicht
+ over_total_limit: Du hast das Limit für geplante Beiträge, welches %{limit} beträgt, erreicht
too_soon: Das geplante Datum muss in der Zukunft liegen
sessions:
activity: Letzte Aktivität
@@ -1488,7 +1596,7 @@ de:
enabled: Automatisch alte Beiträge löschen
enabled_hint: Löscht automatisch deine Beiträge, sobald sie einen bestimmten Altersgrenzwert erreicht haben, es sei denn, sie entsprechen einer der folgenden Ausnahmen
exceptions: Ausnahmen
- explanation: Damit Mastodon nicht durch das Löschen von Beiträgen ausgebremst wird, wartet der Server damit bis wenig los ist. Aus diesem Grund werden deine Beiträge ggf. erst einige Zeit nach Erreichen der Altersgrenze gelöscht.
+ explanation: Damit Mastodon nicht durch das Löschen von Beiträgen ausgebremst wird, wartet der Server damit, bis wenig los ist. Aus diesem Grund werden deine Beiträge ggf. erst einige Zeit nach Erreichen der Altersgrenze gelöscht.
ignore_favs: Favoriten ignorieren
ignore_reblogs: Boosts ignorieren
interaction_exceptions: Ausnahmen basierend auf Interaktionen
@@ -1496,15 +1604,15 @@ de:
keep_direct: Direktnachrichten behalten
keep_direct_hint: Löscht keine deiner Direktnachrichten
keep_media: Beiträge mit Medienanhängen behalten
- keep_media_hint: Löscht keine Ihrer Beiträge mit Medienanhängen
+ keep_media_hint: Löscht keinen deiner Beiträge mit Medienanhängen
keep_pinned: Angeheftete Beiträge behalten
- keep_pinned_hint: Löscht keine deiner angehefteten Beiträge
+ keep_pinned_hint: Löscht keinen deiner angehefteten Beiträge
keep_polls: Umfragen behalten
keep_polls_hint: Löscht keine deiner Umfragen
keep_self_bookmark: Als Lesezeichen markierte Beiträge behalten
- keep_self_bookmark_hint: Löscht nicht deine eigenen Beiträge, wenn du sie als Lesezeichen markiert hast
+ keep_self_bookmark_hint: Löscht deine eigenen Beiträge nicht, wenn du sie als Lesezeichen markiert hast
keep_self_fav: Behalte die von dir favorisierten Beiträge
- keep_self_fav_hint: Löscht nicht deine eigenen Beiträge, wenn du sie favorisiert hast
+ keep_self_fav_hint: Löscht deine eigenen Beiträge nicht, wenn du sie favorisiert hast
min_age:
'1209600': 2 Wochen
'15778476': 6 Monate
@@ -1533,10 +1641,10 @@ de:
Datenschutzerklärung
Welche Informationen sammeln wir?
-
Grundlegende Kontoinformationen: Wenn du dich auf diesem Server registrierst, wirst du darum gebeten, einen Benutzernamen, 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 Benutzername, 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, die du in ihnen erwähnst, ausgeliefert, direkte Beiträge nur an in ihnen erwähnte Benutzer. 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 sensiblen 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 Benutzernamen, 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 Benutzername, 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, ist dies auch eine öffentlich verfügbare Information. 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, die du in ihnen erwähnst, ausgeliefert, direkte Beiträge nur an in ihnen erwähnte Benutzer. In manchen Fällen bedeutet das, dass sie an andere Server ausgeliefert 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, sie kopieren oder anderweitig weiterverteilen könnten. Teile keine sensiblen Informationen über Mastodon.
+
Internet-Protokoll-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.
Für was verwenden wir deine Informationen?
@@ -1578,7 +1686,7 @@ de:
Dies ist eine Übersetzung, Irrtümer und Übersetzungsfehler vorbehalten. Im Zweifelsfall gilt die englische Originalversion.
Dieses Dokument ist CC-BY-SA. Es wurde zuletzt aktualisiert am 26. Mai 2022.
- title: "%{instance} Nutzungsbedingungen und Datenschutzerklärung"
+ title: "%{instance} Datenschutzerklärung"
themes:
contrast: Mastodon (Hoher Kontrast)
default: Mastodon (Dunkel)
@@ -1596,7 +1704,7 @@ de:
enabled: Zwei-Faktor-Authentisierung ist aktiviert
enabled_success: Zwei-Faktor-Authentisierung erfolgreich aktiviert
generate_recovery_codes: Wiederherstellungscodes generieren
- lost_recovery_codes: Wiederherstellungscodes erlauben dir, wieder den Zugang zu deinem Konto zu erlangen, falls du dein Telefon verlieren solltest. Wenn du deine Wiederherstellungscodes verloren hast, kannst du sie hier neu generieren. Deine alten Wiederherstellungscodes werden damit ungültig gemacht.
+ lost_recovery_codes: Wiederherstellungscodes erlauben es dir, wieder Zugang zu deinem Konto zu erlangen, falls du dein Telefon verlieren solltest. Wenn du deine Wiederherstellungscodes verloren hast, kannst du sie hier neu generieren. Deine alten Wiederherstellungscodes werden damit ungültig gemacht.
methods: Zwei-Faktor-Methoden
otp: Authentifizierungs-App
recovery_codes: Wiederherstellungs-Codes sichern
@@ -1635,8 +1743,8 @@ de:
disable: Du kannst dein Konto nicht mehr verwenden, aber dein Profil und andere Daten bleiben unversehrt. Du kannst ein Backup deiner Daten anfordern, die Kontoeinstellungen ändern oder dein Konto löschen.
mark_statuses_as_sensitive: Einige deiner Beiträge wurden von den Moderator_innen von %{instance} als NSFW markiert. Das bedeutet, dass die Nutzer die Medien in den Beiträgen antippen müssen, bevor eine Vorschau angezeigt wird. Du kannst Medien in Zukunft als NSFW markieren, wenn du Beiträge verfasst.
sensitive: Von nun an werden alle deine hochgeladenen Mediendateien als sensibel markiert und hinter einer Warnung versteckt.
- silence: Solange dein Konto limitiert ist, können nur die Leute, die dir bereits folgen, deine Beiträge auf dem Server sehen und es könnte sein, dass du von verschiedenen öffentlichen Listungen ausgeschlossen wirst. Andererseits können andere dir manuell folgen.
- suspend: Du kannst dein Konto nicht mehr verwenden und dein Profil und andere Daten sind nicht mehr verfügbar. Du kannst dich immer noch anmelden, um ein Backup deiner Daten anzufordern, bis die Daten innerhalb von 30 Tagen vollständig gelöscht wurden. Allerdings werden wir einige Daten speichern, um zu verhindern, dass du die Sperrung umgehst.
+ silence: Solange dein Konto limitiert ist, können nur die Leute, die dir bereits folgen, deine Beiträge auf dem Server sehen, und es könnte sein, dass du von verschiedenen öffentlichen Listungen ausgeschlossen wirst. Andererseits können andere dir manuell folgen.
+ suspend: Du kannst dein Konto nicht mehr verwenden, und dein Profil und andere Daten sind nicht mehr verfügbar. Du kannst dich immer noch anmelden, um ein Backup deiner Daten anzufordern, bis die Daten innerhalb von 30 Tagen vollständig gelöscht wurden. Allerdings werden wir einige Daten speichern, um zu verhindern, dass du die Sperrung umgehst.
reason: 'Grund:'
statuses: 'Zitierte Beiträge:'
subject:
@@ -1660,16 +1768,16 @@ de:
edit_profile_step: Du kannst dein Profil anpassen, indem du einen Avatar oder ein Titelbild hochlädst oder deinen Anzeigenamen änderst und mehr. Wenn du deine Folgenden vorher überprüfen möchtest, bevor sie dir folgen können, dann kannst du dein Profil sperren.
explanation: Hier sind ein paar Tipps, um loszulegen
final_action: Fang an zu posten
- final_step: 'Fang an zu posten! Selbst ohne Follower werden deine öffentlichen Beiträge von anderen gesehen, zum Beispiel auf der lokalen Zeitleiste oder in Hashtags. Vielleicht möchtest du dich vorstellen mit dem #introductions-Hashtag.'
+ final_step: 'Fang an zu posten! Selbst ohne Follower werden deine öffentlichen Beiträge von anderen gesehen, zum Beispiel auf der lokalen Zeitleiste oder in Hashtags. Vielleicht möchtest du dich mit dem #introductions-Hashtag vorstellen.'
full_handle: Dein vollständiger Benutzername
- full_handle_hint: Dies ist was du deinen Freunden sagen kannst, damit sie dich anschreiben oder von einem anderen Server folgen können.
+ full_handle_hint: Dies ist, was du deinen Freunden sagen kannst, damit sie dich anschreiben oder dir von einem anderen Server folgen können.
review_preferences_action: Einstellungen ändern
review_preferences_step: Stelle sicher, dass du deine Einstellungen einstellst, wie zum Beispiel welche E-Mails du gerne erhalten möchtest oder was für Privatsphäreneinstellungen voreingestellt werden sollten. Wenn dir beim Ansehen von GIFs nicht schwindelig wird, dann kannst du auch das automatische Abspielen dieser aktivieren.
subject: Willkommen bei Mastodon
tip_federated_timeline: Die föderierte Zeitleiste ist die sehr große Ansicht vom Mastodon-Netzwerk. Sie enthält aber auch nur Leute, denen du und deine Nachbarn folgen, sie ist also nicht komplett.
tip_following: Du folgst standardmäßig deinen Server-Admin(s). Um mehr interessante Leute zu finden, kannst du die lokale oder öffentliche Zeitleiste durchsuchen.
tip_local_timeline: Die lokale Zeitleiste ist eine Ansicht aller Leute auf %{instance}. Diese sind deine Nachbarn!
- tip_mobile_webapp: Wenn dein mobiler Browser dir anbietet Mastodon zu deinem Startbildschirm hinzuzufügen, dann kannst du Benachrichtigungen erhalten. Es verhält sich wie eine native App in vielen Wegen!
+ tip_mobile_webapp: Wenn dein mobiler Browser dir anbietet, Mastodon zu deinem Startbildschirm hinzuzufügen, dann kannst du Benachrichtigungen erhalten. Es verhält sich wie eine native App in vielen Belangen!
tips: Tipps
title: Willkommen an Bord, %{name}!
users:
diff --git a/config/locales/devise.de.yml b/config/locales/devise.de.yml
index 0512ca129..4cc829f3b 100644
--- a/config/locales/devise.de.yml
+++ b/config/locales/devise.de.yml
@@ -21,18 +21,18 @@ de:
action: E-Mail-Adresse verifizieren
action_with_app: Bestätigen und zu %{app} zurückkehren
explanation: Du hast einen Account auf %{host} mit dieser E-Mail-Adresse erstellt. Du bist nur noch einen Klick weit von der Aktivierung entfernt. Wenn du das nicht warst, kannst du diese E-Mail ignorieren.
- explanation_when_pending: Du hast dich für eine Einladung bei %{host} mit dieser E-Mailadresse beworben. Sobald du deine E-Mailadresse bestätigst werden wir deine Anfrage überprüfen. Du kannst dich in dieser Zeit nicht anmelden. Wenn deine Anfrage abgelehnt wird, werden deine Daten entfernt, also wird keine weitere Handlung benötigt. Wenn du das nicht warst kannst du diese E-Mail ignorieren.
+ explanation_when_pending: Du hast dich für eine Einladung bei %{host} mit dieser E-Mailadresse beworben. Sobald du deine E-Mailadresse bestätigst hast, werden wir deine Anfrage überprüfen. Du kannst dich in dieser Zeit nicht anmelden. Wenn deine Anfrage abgelehnt wird, werden deine Daten entfernt, also wird keine weitere Handlung benötigt. Wenn du das nicht warst, kannst du diese E-Mail ignorieren.
extra_html: Bitte lies auch die Regeln des Servers und unsere Nutzungsbedingungen.
subject: 'Mastodon: Bestätigung deines Kontos bei %{instance}'
title: Verifiziere E-Mail-Adresse
email_changed:
explanation: 'Die E-Mail-Adresse deines Accounts wird geändert zu:'
- extra: Wenn du deine E-Mail-Adresse nicht geändert hast, dann kann es vermutlich sein, dass jemand Zugriff zu deinem Account erhalten hat. Bitte ändere sofort dein Passwort oder kontaktiere den Administrator des Servers, wenn du dich ausgesperrt hast.
+ extra: Wenn du deine E-Mail-Adresse nicht geändert hast, dann wird es vermutlich so sein, dass jemand Zugriff zu deinem Account erhalten hat. Bitte ändere sofort dein Passwort oder kontaktiere den Administrator des Servers, wenn du dich ausgesperrt hast.
subject: 'Mastodon: E-Mail-Adresse geändert'
title: Neue E-Mail-Adresse
password_change:
explanation: Das Passwort für deinen Account wurde geändert.
- extra: Wenn du dein Passwort nicht geändert hast, dann kann es vermutlich sein, dass jemand Zugriff zu deinem Account erhalten hat. Bitte ändere sofort dein Passwort oder kontaktiere den Administrator des Servers, wenn du dich ausgesperrt hast.
+ extra: Wenn du dein Passwort nicht geändert hast, dann wird es vermutlich so sein, dass jemand Zugriff auf deinem Account erlangt hat. Bitte ändere sofort dein Passwort oder kontaktiere den Administrator des Servers, wenn du dich ausgesperrt hast.
subject: 'Mastodon: Passwort geändert'
title: Passwort geändert
reconfirmation_instructions:
@@ -43,7 +43,7 @@ de:
reset_password_instructions:
action: Ändere Passwort
explanation: Du hast ein neues Passwort für deinen Account angefragt.
- extra: Wenn du diese Anfrage nicht gestellt hast, solltest du diese E-Mail ignorieren. Dein Passwort wird sich nicht ändern solange du den obigen Link anklickst und ein neues erstellst.
+ extra: Wenn du diese Anfrage nicht gestellt hast, solltest du diese E-Mail ignorieren. Dein Passwort wird sich nicht ändern, solange du den obigen Link anklickst und ein neues erstellst.
subject: 'Mastodon: Passwort zurücksetzen'
title: Passwort zurücksetzen
two_factor_disabled:
@@ -51,7 +51,7 @@ de:
subject: 'Mastodon: Zwei‐Faktor‐Authentifizierung deaktiviert'
title: 2FA deaktiviert
two_factor_enabled:
- explanation: Zwei-Faktor-Authentifizierung wurde für dein Konto aktiviert. Ein Token, der von der gepaarten TOTP-App generiert wird, wird für den Login benötigt.
+ explanation: Zwei-Faktor-Authentifizierung wurde für dein Konto aktiviert. Ein Token, das von der verbundenen TOTP-App generiert wird, wird für den Login benötigt.
subject: 'Mastodon: Zwei‐Faktor‐Authentifizierung aktiviert'
title: 2FA aktiviert
two_factor_recovery_codes_changed:
@@ -78,7 +78,7 @@ de:
subject: 'Mastodon: Authentifizierung mit Sicherheitsschlüssel aktiviert'
title: Sicherheitsschlüssel aktiviert
omniauth_callbacks:
- failure: Du konntest nicht mit deinem %{kind}-Konto angemeldet werden, weil »%{reason}«.
+ failure: Du konntest nicht mit deinem %{kind}-Konto angemeldet werden, weil „%{reason}“.
success: Du hast dich erfolgreich mit deinem %{kind}-Konto angemeldet.
passwords:
no_token: Du kannst diese Seite nur über den Link aus der E-Mail zum Passwort-Zurücksetzen aufrufen. Wenn du einen solchen Link aufgerufen hast, stelle bitte sicher, dass du die vollständige Adresse aufrufst.
@@ -91,8 +91,8 @@ de:
signed_up: Willkommen! Du hast dich erfolgreich registriert.
signed_up_but_inactive: Du hast dich erfolgreich registriert. Wir konnten dich noch nicht anmelden, da dein Konto inaktiv ist.
signed_up_but_locked: Du hast dich erfolgreich registriert. Wir konnten dich noch nicht anmelden, da dein Konto gesperrt ist.
- signed_up_but_pending: Eine Nachricht mit einem Bestätigungslink wurde an dich per E-Mail geschickt. Nachdem du diesen Link angeklickt hast werden wir deine Anfrage überprüfen. Du wirst benachrichtigt falls die Anfrage angenommen wurde.
- signed_up_but_unconfirmed: Du hast dich erfolgreich registriert. Wir konnten dich noch nicht anmelden, da dein Konto noch nicht bestätigt ist. Du erhältst in Kürze eine E-Mail. Darin ist erklärt, wie du dein Konto freischalten kannst.
+ signed_up_but_pending: Eine Nachricht mit einem Bestätigungslink wurde an dich per E-Mail geschickt. Nachdem du diesen Link angeklickt hast, werden wir deine Anfrage überprüfen. Du wirst benachrichtigt werden, falls die Anfrage angenommen wurde.
+ signed_up_but_unconfirmed: Du hast dich erfolgreich registriert. Wir konnten dich noch nicht anmelden, da dein Konto noch nicht bestätigt ist. Du erhältst in Kürze eine E-Mail. Darin wird erklärt, wie du dein Konto freischalten kannst.
update_needs_confirmation: Deine Daten wurden aktualisiert, aber du musst deine neue E-Mail-Adresse bestätigen. Du erhältst in wenigen Minuten eine E-Mail. Darin ist erklärt, wie du die Änderung deiner E-Mail-Adresse abschließen kannst.
updated: Deine Daten wurden aktualisiert.
sessions:
@@ -112,4 +112,4 @@ de:
not_locked: ist nicht gesperrt
not_saved:
one: '1 Fehler hat verhindert, dass %{resource} gespeichert wurde:'
- other: "%{count} Fehler verhinderten, dass %{resource} gespeichert wurde:"
+ other: "%{count} Fehler haben verhindert, dass %{resource} gespeichert wurde:"
diff --git a/config/locales/devise.en-GB.yml b/config/locales/devise.en-GB.yml
new file mode 100644
index 000000000..ef03d1810
--- /dev/null
+++ b/config/locales/devise.en-GB.yml
@@ -0,0 +1 @@
+en-GB:
diff --git a/config/locales/devise.he.yml b/config/locales/devise.he.yml
index 63bb3aedd..0f389bd38 100644
--- a/config/locales/devise.he.yml
+++ b/config/locales/devise.he.yml
@@ -110,3 +110,8 @@ he:
expired: פג תוקפו. נא לבקש חדש
not_found: לא נמצא
not_locked: לא היה נעול
+ not_saved:
+ many: "%{count} שגיאות מנעו מ%{resource} זה מלהשמר:"
+ one: 'שגיאה אחת מנעה מ%{resource} זה מלהשמר:'
+ other: "%{count} שגיאות מנעו מ%{resource} זה מלהשמר:"
+ two: " %{count} שגיאות מנעו מ%{resource} זה מלהשמר:"
diff --git a/config/locales/devise.hu.yml b/config/locales/devise.hu.yml
index 24aa076ee..82520cef7 100644
--- a/config/locales/devise.hu.yml
+++ b/config/locales/devise.hu.yml
@@ -12,7 +12,7 @@ hu:
last_attempt: Már csak egy próbálkozásod maradt, mielőtt a fiókodat zároljuk.
locked: A fiókodat zároltuk.
not_found_in_database: Helytelen %{authentication_keys} vagy jelszó.
- pending: A fiókod felülvizsgálat alatt áll, még mielőtt használhatnád.
+ pending: A fiókod még engedélyezésre vár.
timeout: A munkameneted lejárt. Kérjük, a folytatáshoz jelentkezz be újra.
unauthenticated: A folytatás előtt be kell jelentkezned vagy regisztrálnod kell.
unconfirmed: A folytatás előtt meg kell erősítened az e-mail címed.
diff --git a/config/locales/devise.ku.yml b/config/locales/devise.ku.yml
index 18187a156..d5d0105ef 100644
--- a/config/locales/devise.ku.yml
+++ b/config/locales/devise.ku.yml
@@ -29,13 +29,13 @@ ku:
title: Navnîşana e-nameyê piştrast bike
email_changed:
explanation: 'Navnîşana e-nameyê ajimêra te hate guhertin bo:'
- extra: Heke te ajimêra xwe ne guhertiye. Ew tê wateya ku kesek ketiye ajimêrê te. Jkx pêborîna xwe zû biguherîne an jî bi rêveberiya rajekar re têkeve têkiliyê heke tu êdî nikare ajimêra xwe bi kar bînî.
+ extra: Ku te ajimêra xwe neguhertiye. Ew tê wateya ku kesek ketiye ajimêrê te. Jkx pêborîna xwe zû biguherîne an jî bi rêveberiya rajekar re têkeve têkiliyê heke tu êdî nikare ajimêra xwe bi kar bînî.
subject: 'Mastodon: E-name hate guhertin'
title: Navnîşana e-nameya nû
password_change:
explanation: Borînpeyva ajimêra te hate guhertin.
- extra: Heke te ajimêra xwe ne guhertiye. Ew tê wateya ku kesek ketiye ajimêrê te. Jkx pêborîna xwe zû biguherîne an jî bi rêveberiya rajekar re têkeve têkiliyê heke tu êdî nikare ajimêra xwe bi kar bînî.
- subject: 'Mastodon: pêborîn hate guhertin'
+ extra: Ku te ajimêra xwe neguhertiye. Ew tê wateya ku kesek ketiye ajimêrê te. Jkx pêborîna xwe zû biguherîne an jî bi rêveberiya rajekar re têkeve têkiliyê heke tu êdî nikare ajimêra xwe bi kar bînî.
+ subject: 'Mastodon: Borînpeyv hate guhertin'
title: Borînpeyv hate guhertin
reconfirmation_instructions:
explanation: Navnîşana nû piştrast bike da ku tu e-nameya xwe biguherînî.
diff --git a/config/locales/devise.nl.yml b/config/locales/devise.nl.yml
index 2cbbee6cf..477c7d41f 100644
--- a/config/locales/devise.nl.yml
+++ b/config/locales/devise.nl.yml
@@ -51,7 +51,7 @@ nl:
subject: 'Mastodon: Tweestapsverificatie uitgeschakeld'
title: Tweestapsverificatie uitgeschakeld
two_factor_enabled:
- explanation: Tweestapsverificatie voor jouw account is ingeschakeld. Om te kunnen aanmelden is een door een tweestapsverificatie-app genereerde toegangscode nodig.
+ explanation: Tweestapsverificatie voor jouw account is ingeschakeld. Om te kunnen inloggen is een door een tweestapsverificatie-app genereerde toegangscode nodig.
subject: 'Mastodon: Tweestapsverificatie ingeschakeld'
title: Tweestapsverificatie ingeschakeld
two_factor_recovery_codes_changed:
diff --git a/config/locales/devise.nn.yml b/config/locales/devise.nn.yml
index 88d8458f7..0318e7ea9 100644
--- a/config/locales/devise.nn.yml
+++ b/config/locales/devise.nn.yml
@@ -41,7 +41,7 @@ nn:
subject: 'Mastodon: Stadfest e-post for %{instance}'
title: Stadfest e-postadresse
reset_password_instructions:
- action: Endr passord
+ action: Endre passord
explanation: Du har bedt om eit nytt passord til kontoen din.
extra: Om du ikkje bad om dette, ignorer denne e-posten. Passordet ditt vert ikkje endra før du går inn på lenkja ovanfor og lagar eit nytt.
subject: 'Mastodon: Instuksjonar for å endra passord'
@@ -63,51 +63,51 @@ nn:
webauthn_credential:
added:
explanation: Følgende sikkerhetsnøkkel har blitt lagt til i kontoen din
- subject: 'Mastodon: Ny sikkerhetsnøkkel'
- title: En ny sikkerhetsnøkkel har blitt lagt til
+ subject: 'Mastodon: Ny sikkerheitsnøkkel'
+ title: Ein ny sikkerheitsnøkkel har blitt lagt til
deleted:
- explanation: Følgende sikkerhetsnøkkel har blitt slettet fra kontoen din
- subject: 'Mastodon: Sikkerhetsnøkkel slettet'
- title: En av sikkerhetsnøklene dine har blitt slettet
+ explanation: Den følgande sikkerheitsnøkkelen har blitt sletta frå kontoen din
+ subject: 'Mastodon: Sikkerheitsnøkkel sletta'
+ title: Ein av sikkerheitsnøklane dine har blitt sletta
webauthn_disabled:
- subject: 'Mastodon: Autentisering med sikkerhetsnøkler ble skrudd av'
- title: Sikkerhetsnøkler deaktivert
+ subject: 'Mastodon: Autentisering med sikkerheitsnøklar vart skrudd av'
+ title: Sikkerheitsnøklar deaktivert
webauthn_enabled:
- subject: 'Mastodon: Sikkerhetsnøkkelsautentisering ble skrudd på'
- title: Sikkerhetsnøkler aktivert
+ subject: 'Mastodon: Sikkerheitsnøkkelsautentisering vart skrudd på'
+ title: Sikkerheitsnøklar aktivert
omniauth_callbacks:
- failure: Du kunne ikkje verte autentisert frå %{kind} av di "%{reason}".
+ failure: Kunne ikkje autentisere deg frå %{kind} fordi "%{reason}".
success: Autentisert frå %{kind}-konto.
passwords:
- no_token: Du har ikkje tilgang til denne sida utan ha gått via ein e-post som gjeld å nullstille passordet. Dersom det er kva du har gjort, dobbelsjekk at du har kopiert heile URLen.
- send_instructions: Om vi har e-postadressa di i databasen vår, får du ein e-post med lenke til gjenopprette passordet om nokre få minutt. Sjekk søppelpostmappa di om du ikkje fekk denne e-posten.
- send_paranoid_instructions: Om vi har e-postadressa di i databasen vår, får du ei lenkje til å endra passordet om nokre få minutt. Ver venleg og sjekk søppelpostmappa om du ikkje fekk denne e-posten.
+ no_token: Du har ikkje tilgang til denne sida utan ha gått via ein e-post som gjeld å nullstille passordet. Dersom det var det du gjorde, dobbelsjekk at du har kopiert heile URLen.
+ send_instructions: Om me har epostadressa di i databasen vår, får du ein epost med ei lenke til å gjenopprette passordet om nokre få minutt. Sjekk søppelpostmappa di om du ikkje fekk denne eposten.
+ send_paranoid_instructions: Om me har epostadressa di i databasen vår, får du ei lenke til å endra passordet om nokre få minutt. Ver venleg å sjekke søppelpostmappa om du ikkje fekk denne eposten.
updated: Passordet ditt er endra. No er du logga inn.
updated_not_active: Passordet ditt er endra.
registrations:
- destroyed: Ha det! Kontoen din er sletta. Vi vonar å sjå deg igjen snart.
+ destroyed: Ha det! Kontoen din er sletta. Me vonar å sjå deg igjen snart.
signed_up: Velkomen! No er du registrert.
- signed_up_but_inactive: Du har registrert deg inn, men vi kunne ikkje logga deg inn fordi kontoen din er ikkje aktivert enno.
- signed_up_but_locked: Du har registrert deg inn, men vi kunne ikkje logga deg inn fordi kontoen din er låst.
- signed_up_but_pending: Ei melding med ei stadfestingslenkje er vorten send til e-postadressa di. Når du klikkar på lenkja skal vi sjå gjennom søknaden din. Du får ei melding om han vert godkjend.
- signed_up_but_unconfirmed: Ei melding med ei lenke for å stadfeste kontoen har vorte sendt e-postadressa di. Klikk på lenka for å aktivere kontoen. Sjekk søppelpostmappa dersom du ikkje har fått e-posten.
- update_needs_confirmation: Du har oppdatert kontoen din, men vi må stadfeste den nye e-postadressa. Sjekk innboksen og følg lenka for å stadfeste adressa di. Sjekk søppelpostmappa dersom du ikkje har fått den e-posten.
+ signed_up_but_inactive: Du har registrert deg, men me kunne ikkje logga deg inn fordi kontoen din er ikkje aktivert enno.
+ signed_up_but_locked: Du har registrert deg, men me kunne ikkje logga deg inn fordi kontoen din er låst.
+ signed_up_but_pending: Ei melding med ei stadfestingslenke har vorte sendt til epostadressa di. Når du klikkar på lenka skal me sjå gjennom søknaden din. Du får ei melding om den vert godkjend.
+ signed_up_but_unconfirmed: Ei melding med ei lenke for å stadfeste kontoen har vorte sendt til epostadressa di. Klikk på lenka for å aktivere kontoen. Sjekk søppelpostmappa dersom du ikkje har fått eposten.
+ update_needs_confirmation: Du har oppdatert kontoen din, men me må stadfesta den nye epostadressa. Sjekk innboksen og fylg lenka for å stadfeste adressa di. Sjekk søppelpostmappa dersom du ikkje har fått denne eposten.
updated: Kontoen har vorte oppdatert.
sessions:
already_signed_out: Logga ut.
signed_in: Logga inn.
signed_out: Logga ut.
unlocks:
- send_instructions: Om nokre minutt får du ein e-post med instruksjonar for korleis du kan låse opp kontoen din. Sjekk søppelpostmappa om du ikkje finn den mailen.
- send_paranoid_instructions: Dersom du har konto her, får du ein e-post med instruksjonar for korleis du kan låse opp kontoen din om nokre minutt. Sjekk søppelpostmappa om du ikkje finn den mailen.
+ send_instructions: Om nokre minutt får du ein epost med instruksjonar for korleis du kan låse opp kontoen din. Sjekk søppelpostmappa om du ikkje finn den eposten.
+ send_paranoid_instructions: Dersom du har konto her, får du ein epost med instruksjonar for korleis du kan låse opp kontoen din om nokre minutt. Sjekk søppelpostmappa om du ikkje finn den eposten.
unlocked: Kontoen din har vorte låst opp. Logg inn for å halde fram.
errors:
messages:
- already_confirmed: er allereie stadfesta, prøv logge inn
+ already_confirmed: er allereie stadfesta, prøv å logge inn
confirmation_period_expired: må verte stadfesta innan %{period}, spør etter ein ny
- expired: er utgått, ver venleg å beda om ein ny ein
+ expired: er utgått, ver venleg å be om ein ny ein
not_found: ikkje funne
not_locked: var ikkje låst
not_saved:
one: '1 feil hindra %{resource} frå verte lagra:'
- other: "%{count} feil hindra %{resource} frå verte lagra:"
+ other: "%{count} feil hindra %{resource} frå å verte lagra:"
diff --git a/config/locales/devise.tr.yml b/config/locales/devise.tr.yml
index 98baf2916..86b1c951f 100644
--- a/config/locales/devise.tr.yml
+++ b/config/locales/devise.tr.yml
@@ -8,7 +8,7 @@ tr:
failure:
already_authenticated: Zaten oturum açtınız.
inactive: Hesabınız henüz etkinleştirilmedi.
- invalid: Geçersiz %{authentication_keys} ya da şifre.
+ invalid: Geçersiz %{authentication_keys} ya da parola.
last_attempt: Hesabınız kilitlenmeden önce bir kez daha denemeniz gerekir.
locked: Hesabınız kilitlendi.
not_found_in_database: Geçersiz %{authentication_keys} ya da parola.
@@ -31,7 +31,7 @@ tr:
subject: 'Mastodon: E-posta adresi değişti'
title: Yeni e-posta adresi
password_change:
- explanation: Hesabınızın şifresi değiştirildi.
+ explanation: Hesabınızın parolası değiştirildi.
extra: Parolanızı değiştirmediyseniz, büyük olasılıkla birileri hesabınıza erişmiş olabilir. Lütfen derhal parolanızı değiştirin veya hesabınız kilitlendiyse sunucu yöneticisine başvurun.
subject: 'Mastodon: Parola değiştirildi'
title: Parola değiştirildi
@@ -81,11 +81,11 @@ tr:
failure: '%{kind}''den kimliğiniz doğrulanamadı çünkü "%{reason}".'
success: "%{kind} hesabından başarıyla kimlik doğrulaması yapıldı."
passwords:
- no_token: Bu sayfaya şifre sıfırlama e-postasından gelmeden erişemezsiniz. Şifre sıfırlama e-postasından geliyorsanız lütfen sağlanan tam URL'yi kullandığınızdan emin olun.
+ no_token: Bu sayfaya parola sıfırlama e-postasından gelmeden erişemezsiniz. Parola sıfırlama e-postasından geliyorsanız lütfen sağlanan tam URL'yi kullandığınızdan emin olun.
send_instructions: E-posta adresiniz veritabanımızda varsa, e-posta adresinize birkaç dakika içinde bir parola kurtarma bağlantısı gönderilir. Bu e-postayı almadıysanız, lütfen spam klasörünüzü kontrol edin.
send_paranoid_instructions: E-posta adresiniz veritabanımızda varsa, e-posta adresinize birkaç dakika içinde bir parola kurtarma bağlantısı gönderilir. Bu e-postayı almadıysanız, lütfen spam klasörünüzü kontrol edin.
- updated: Şifreniz başarılı bir şekilde değiştirildi. Şu an oturum açtınız.
- updated_not_active: Şifreniz başarıyla değiştirildi.
+ updated: Parolanız başarılı bir şekilde değiştirildi. Şu an oturum açtınız.
+ updated_not_active: Parolanız başarıyla değiştirildi.
registrations:
destroyed: Görüşürüz! hesabın başarıyla iptal edildi. Umarız seni sonra tekrar görürüz.
signed_up: Hoş geldiniz! Başarılı bir şekilde oturum açtınız.
diff --git a/config/locales/doorkeeper.de.yml b/config/locales/doorkeeper.de.yml
index 3f7e1b2d7..e4668a50f 100644
--- a/config/locales/doorkeeper.de.yml
+++ b/config/locales/doorkeeper.de.yml
@@ -72,7 +72,7 @@ de:
revoke: Bist du sicher?
index:
authorized_at: Autorisiert am %{date}
- description_html: Dies sind Anwendungen, die über die Programmierschnittstelle auf dein Konto zugreifen können. Wenn es Anwendungen gibt, die du hier nicht erkennst oder eine Anwendung sich falsch verhält, kannst du den Zugriff widerrufen.
+ description_html: Dies sind Anwendungen, die über die Programmierschnittstelle auf dein Konto zugreifen können. Wenn es Anwendungen gibt, die du hier nicht erkennst, oder wenn eine Anwendung sich falsch bzw. verdächtig verhält, kannst du den Zugriff widerrufen.
last_used_at: Zuletzt verwendet am %{date}
never_used: Nie verwendet
scopes: Berechtigungen
@@ -83,13 +83,13 @@ de:
access_denied: Die Anfrage wurde durch Benutzer_in oder Autorisierungs-Server verweigert.
credential_flow_not_configured: Das Konto konnte nicht gefunden werden, da Doorkeeper.configure.resource_owner_from_credentials nicht konfiguriert ist.
invalid_client: 'Client-Authentifizierung ist fehlgeschlagen: Client unbekannt, keine Authentisierung mitgeliefert oder Authentisierungsmethode wird nicht unterstützt.'
- invalid_grant: Die beigefügte Autorisierung ist ungültig, abgelaufen, wurde widerrufen, einem anderen Client ausgestellt oder der Weiterleitungs-URI stimmt nicht mit der Autorisierungs-Anfrage überein.
+ invalid_grant: Die beigefügte Autorisierung ist ungültig, abgelaufen, wurde widerrufen oder einem anderen Client ausgestellt, oder der Weiterleitungs-URI stimmt nicht mit der Autorisierungs-Anfrage überein.
invalid_redirect_uri: Der beigefügte Weiterleitungs-URI ist ungültig.
invalid_request:
missing_param: 'Erforderlicher Parameter fehlt: %{value}.'
request_not_authorized: Anfrage muss autorisiert werden. Benötigter Parameter für die Autorisierung der Anfrage fehlt oder ungültig.
unknown: Der Anfrage fehlt ein benötigter Parameter, enthält einen nicht unterstützten Parameterwert oder ist anderweitig fehlerhaft.
- invalid_resource_owner: Die angegebenen Zugangsdaten für das Konto sind ungültig oder das Konto kann nicht gefunden werden
+ invalid_resource_owner: Die angegebenen Zugangsdaten für das Konto sind ungültig, oder das Konto kann nicht gefunden werden
invalid_scope: Die angeforderte Befugnis ist ungültig, unbekannt oder fehlerhaft.
invalid_token:
expired: Der Zugriffs-Token ist abgelaufen
diff --git a/config/locales/doorkeeper.fi.yml b/config/locales/doorkeeper.fi.yml
index db7c4d01a..5efa63bc9 100644
--- a/config/locales/doorkeeper.fi.yml
+++ b/config/locales/doorkeeper.fi.yml
@@ -60,6 +60,7 @@ fi:
error:
title: Tapahtui virhe
new:
+ prompt_html: "%{client_name} pyytää lupaa käyttää tiliäsi. Se on kolmannen osapuolen sovellus. Jos et luota siihen, sinun ei pitäisi sallia sitä."
review_permissions: Tarkista käyttöoikeudet
title: Valtuutus vaaditaan
show:
@@ -70,6 +71,8 @@ fi:
confirmations:
revoke: Oletko varma?
index:
+ authorized_at: Valtuutettu %{date}
+ description_html: Nämä ovat sovelluksia, jotka voivat käyttää tiliäsi käyttäen API. Jos et tunnista sitä tai sovellus toimii väärin, voit peruuttaa sen käyttöoikeuden.
last_used_at: Viimeksi käytetty %{date}
never_used: Ei käytetty
scopes: Oikeudet
@@ -116,6 +119,9 @@ fi:
write: Vain kirjoitus
title:
accounts: Tilit
+ admin/accounts: Tilien hallinta
+ admin/all: Kaikki hallinnolliset toiminnot
+ admin/reports: Raporttien hallinta
all: Kaikki
blocks: Torjutut
bookmarks: Kirjanmerkit
@@ -147,6 +153,7 @@ fi:
admin:write: muokata kaikkia tietoja palvelimella
admin:write:accounts: suorita moderointitoiminnot tileillä
admin:write:reports: suorita moderointitoiminnot raporteissa
+ crypto: käytä päästä päähän salausta
follow: seurata, estää, perua eston ja lopettaa tilien seuraaminen
push: vastaanottaa push-ilmoituksesi
read: lukea tilin tietoja
@@ -166,6 +173,7 @@ fi:
write:accounts: muokata profiiliasi
write:blocks: estää tilit ja palvelimet
write:bookmarks: kirjanmerkki viestit
+ write:conversations: mykistä ja poistaa keskustelut
write:favourites: suosikki viestit
write:filters: luoda suodattimia
write:follows: seurata ihmisiä
diff --git a/config/locales/doorkeeper.ku.yml b/config/locales/doorkeeper.ku.yml
index f92a228d1..c4e66aef1 100644
--- a/config/locales/doorkeeper.ku.yml
+++ b/config/locales/doorkeeper.ku.yml
@@ -67,7 +67,7 @@ ku:
title: Destûr hildana vê kodê jê bigire û ji sepanê re pêve bike.
authorized_applications:
buttons:
- revoke: Betal bike
+ revoke: Rake
confirmations:
revoke: Ma tu bawerî?
index:
@@ -149,7 +149,7 @@ ku:
scopes:
admin:read: hemû daneyên li ser rajekar bixwîne
admin:read:accounts: zanyariyên hestiyar yên hemû ajimêran li ser rajekar bixwîne
- admin:read:reports: zanyariyên hestiyar yên hemû gilîyan û ajimêrên gilêkirî li ser rajekar bixwîne
+ admin:read:reports: zanyariyên hestiyar yên hemû ragihandinan û ajimêrên ragihandî li ser rajekar bixwîne
admin:write: hemû daneyên li ser rajekar biguherîne
admin:write:accounts: di ajimêrê de çalakiyên li hev kirî pêk bîne
admin:write:reports: di ragihandinê de çalakiyên li hev kirî pêk bîne
@@ -181,5 +181,5 @@ ku:
write:media: pelên medya bar bike
write:mutes: mirovan û axaftinan bêdeng bike
write:notifications: agahdariyên xwe pak bike
- write:reports: mirovên din gilî bike
+ write:reports: mirovên din ragihîne
write:statuses: şandiyekê biweşîne
diff --git a/config/locales/doorkeeper.nn.yml b/config/locales/doorkeeper.nn.yml
index 789b50f61..d17d38c3f 100644
--- a/config/locales/doorkeeper.nn.yml
+++ b/config/locales/doorkeeper.nn.yml
@@ -60,6 +60,7 @@ nn:
error:
title: Ein feil har oppstått
new:
+ prompt_html: "%{client_name} ønsker tilgang til kontoen din. Det er ein tredjepartsapplikasjon. Dersom du ikkje stolar på den, bør du ikkje autorisere det."
title: Autorisasjon nødvendig
show:
title: Kopier denne autorisasjonskoden og lim den inn i applikasjonen.
@@ -69,6 +70,9 @@ nn:
confirmations:
revoke: Er du sikker?
index:
+ authorized_at: Autorisert den %{date}
+ last_used_at: Sist brukt den %{date}
+ never_used: Aldri brukt
title: Dine autoriserte applikasjonar
errors:
messages:
@@ -104,6 +108,25 @@ nn:
authorized_applications:
destroy:
notice: App avvist.
+ grouped_scopes:
+ title:
+ accounts: Kontoar
+ admin/accounts: Kontoadministrasjon
+ admin/all: Alle administrative funksjonar
+ admin/reports: Rapportadministrasjon
+ all: Alt
+ bookmarks: Bokmerke
+ conversations: Samtalar
+ crypto: Ende-til-ende-kryptering
+ favourites: Favorittar
+ filters: Filter
+ lists: Lister
+ media: Mediavedlegg
+ mutes: Målbindingar
+ notifications: Varsel
+ reports: Rapportar
+ search: Søk
+ statuses: Innlegg
layouts:
admin:
nav:
@@ -118,6 +141,7 @@ nn:
admin:write: modifisere alle data på tjeneren
admin:write:accounts: utføre moderatorhandlinger på kontoer
admin:write:reports: utføre moderatorhandlinger på rapporter
+ crypto: bruk ende-til-ende-kryptering
follow: følg, blokkér, avblokkér, avfølg brukere
push: motta dine varsler
read: lese dine data
@@ -132,12 +156,13 @@ nn:
read:notifications: sjå varsla dine
read:reports: sjå rapportane dine
read:search: søke på dine vegne
- read:statuses: sjå alle statusar
+ read:statuses: sjå alle innlegg
write: poste på dine vegne
- write:accounts: rediger profilen din
+ write:accounts: redigera profilen din
write:blocks: blokker kontoar og domene
write:bookmarks: bokmerk statusar
- write:favourites: merk statusar som favoritt
+ write:conversations: målbind og slett samtalar
+ write:favourites: merk innlegg som favoritt
write:filters: lag filter
write:follows: fylg folk
write:lists: lag lister
@@ -145,4 +170,4 @@ nn:
write:mutes: målbind folk og samtalar
write:notifications: tøm varsla dine
write:reports: rapporter andre folk
- write:statuses: legg ut statusar
+ write:statuses: publiser innlegg
diff --git a/config/locales/doorkeeper.ru.yml b/config/locales/doorkeeper.ru.yml
index 7f4cca82b..86883bf14 100644
--- a/config/locales/doorkeeper.ru.yml
+++ b/config/locales/doorkeeper.ru.yml
@@ -133,7 +133,7 @@ ru:
follows: Подписки
lists: Списки
media: Медиафайлы
- mutes: Без звука
+ mutes: Игнорирует
notifications: Уведомления
push: Push-уведомления
reports: Обращения
@@ -164,7 +164,7 @@ ru:
read:filters: видеть ваши фильтры
read:follows: видеть ваши подписки
read:lists: видеть ваши списки
- read:mutes: видеть список игнорируемых
+ read:mutes: смотреть список игнорируемых
read:notifications: получать уведомления
read:reports: видеть ваши жалобы
read:search: использовать поиск
@@ -173,12 +173,13 @@ ru:
write:accounts: редактировать ваш профиль
write:blocks: блокировать учётные записи и домены
write:bookmarks: добавлять посты в закладки
+ write:conversations: игнорировать и удалить разговоры
write:favourites: отмечать посты как избранные
write:filters: создавать фильтры
write:follows: подписываться на людей
write:lists: создавать списки
write:media: загружать медиафайлы
- write:mutes: добавлять в игнорируемое людей и обсуждения
+ write:mutes: игнорировать людей и обсуждения
write:notifications: очищать список уведомлений
write:reports: отправлять жалобы на других
write:statuses: публиковать посты
diff --git a/config/locales/doorkeeper.th.yml b/config/locales/doorkeeper.th.yml
index 963b2361d..a0913dc92 100644
--- a/config/locales/doorkeeper.th.yml
+++ b/config/locales/doorkeeper.th.yml
@@ -81,25 +81,25 @@ th:
errors:
messages:
access_denied: เจ้าของทรัพยากรหรือเซิร์ฟเวอร์การอนุญาตปฏิเสธคำขอ
- credential_flow_not_configured: การไหลของข้อมูลรับรองรหัสผ่านเจ้าของทรัพยากรล้มเหลวเนื่องจาก Doorkeeper.configure.resource_owner_from_credentials ไม่ได้ถูกกำหนดค่า
- invalid_client: การตรวจสอบสิทธิ์ไคลเอ็นต์ล้มเหลวเนื่องจากไคลเอ็นต์ที่ไม่รู้จัก ไม่รวมการตรวจสอบไคลเอ็นต์ หรือวิธีการตรวจสอบสิทธิ์ที่ไม่รองรับ
- invalid_grant: การให้สิทธิ์ที่ระบุไม่ถูกต้อง หมดอายุ เพิกถอน ไม่ตรงกับ URI การเปลี่ยนเส้นทางที่ใช้ในคำขอการให้สิทธิ์ หรือออกให้ไคลเอ็นต์อื่น
+ credential_flow_not_configured: โฟลว์ข้อมูลประจำตัวรหัสผ่านเจ้าของทรัพยากรล้มเหลวเนื่องจากไม่ได้กำหนดค่า Doorkeeper.configure.resource_owner_from_credentials
+ invalid_client: การรับรองความถูกต้องไคลเอ็นต์ล้มเหลวเนื่องจากไคลเอ็นต์ที่ไม่รู้จัก ไม่มีการรับรองความถูกต้องไคลเอ็นต์ที่รวมอยู่ หรือวิธีการรับรองความถูกต้องที่ไม่รองรับ
+ invalid_grant: การให้การรับรองความถูกต้องที่ให้มาไม่ถูกต้อง หมดอายุแล้ว เพิกถอนแล้ว ไม่ตรงกับ URI การเปลี่ยนเส้นทางที่ใช้ในคำขอการรับรองความถูกต้อง หรือออกให้ไคลเอ็นต์อื่น
invalid_redirect_uri: URI การเปลี่ยนเส้นทางที่รวมอยู่ไม่ถูกต้อง
invalid_request:
missing_param: 'พารามิเตอร์ที่จำเป็นขาดหายไป: %{value}'
- request_not_authorized: คำขอต้องได้รับอนุญาต พารามิเตอร์ที่จำเป็นสำหรับการให้สิทธิ์คำขอขาดหายไปหรือไม่ถูกต้อง
- unknown: คำขอไม่มีพารามิเตอร์ที่จำเป็น มีค่าพารามิเตอร์ที่ไม่รองรับ หรืออยู่ในรูปแบบที่ไม่ถูกต้อง
- invalid_resource_owner: ข้อมูลรับรองเจ้าของทรัพยากรที่ระบุไม่ถูกต้อง หรือไม่พบเจ้าของทรัพยากร
+ request_not_authorized: คำขอจำเป็นต้องได้รับอนุญาต พารามิเตอร์ที่จำเป็นสำหรับการอนุญาตคำขอขาดหายไปหรือไม่ถูกต้อง
+ unknown: คำขอไม่มีพารามิเตอร์ที่จำเป็น รวมค่าพารามิเตอร์ที่ไม่รองรับ หรือมิฉะนั้นผิดรูปแบบ
+ invalid_resource_owner: ข้อมูลประจำตัวเจ้าของทรัพยากรที่ให้มาไม่ถูกต้อง หรือไม่พบเจ้าของทรัพยากร
invalid_scope: ขอบเขตที่ขอไม่ถูกต้อง ไม่รู้จัก หรือผิดรูปแบบ
invalid_token:
expired: โทเคนการเข้าถึงหมดอายุแล้ว
revoked: เพิกถอนโทเคนการเข้าถึงแล้ว
unknown: โทเคนการเข้าถึงไม่ถูกต้อง
resource_owner_authenticator_not_configured: การค้นหาเจ้าของทรัพยากรล้มเหลวเนื่องจากไม่ได้กำหนดค่า Doorkeeper.configure.resource_owner_authenticator
- server_error: เซิร์ฟเวอร์การให้สิทธิ์พบสภาวะที่ไม่คาดคิดซึ่งทำให้ไม่สามารถดำเนินการตามคำขอได้
- temporarily_unavailable: ขณะนี้เซิร์ฟเวอร์การให้สิทธิ์ไม่สามารถจัดการตามคำขอได้ เนื่องจากการโอเวอร์โหลดหรือมีการบำรุงรักษาเซิร์ฟเวอร์ชั่วคราว
+ server_error: เซิร์ฟเวอร์การรับรองความถูกต้องพบเงื่อนไขที่ไม่คาดคิดซึ่งป้องกันไม่ให้เซิร์ฟเวอร์ดำเนินการตามคำขอ
+ temporarily_unavailable: เซิร์ฟเวอร์การรับรองความถูกต้องไม่สามารถจัดการคำขอได้ในปัจจุบันเนื่องจากการทำงานเกินพิกัดชั่วคราวหรือการบำรุงรักษาเซิร์ฟเวอร์
unauthorized_client: ไคลเอ็นต์ไม่ได้รับอนุญาตให้ทำคำขอนี้โดยใช้วิธีการนี้
- unsupported_grant_type: ประเภทการให้สิทธิ์ไม่ได้รับการสนับสนุนโดยเซิร์ฟเวอร์การให้สิทธิ์นะ
+ unsupported_grant_type: ชนิดการให้การรับรองความถูกต้องไม่รองรับโดยเซิร์ฟเวอร์การรับรองความถูกต้อง
unsupported_response_type: เซิร์ฟเวอร์การอนุญาตไม่รองรับชนิดการตอบสนองนี้
flash:
applications:
diff --git a/config/locales/doorkeeper.tr.yml b/config/locales/doorkeeper.tr.yml
index 351d271d0..51d0dff08 100644
--- a/config/locales/doorkeeper.tr.yml
+++ b/config/locales/doorkeeper.tr.yml
@@ -81,7 +81,7 @@ tr:
errors:
messages:
access_denied: Kaynak sahibi veya yetkilendirme sunucusu isteği reddetti.
- credential_flow_not_configured: Kaynak Sahibi Şifresi Kimlik Bilgileri akışı Doorkeeper.configure.resource_owner_from_credentials 'ın yapılandırılmamış olması nedeniyle başarısız oldu.
+ credential_flow_not_configured: Kaynak Sahibi Parolası Kimlik Bilgileri akışı Doorkeeper.configure.resource_owner_from_credentials 'ın yapılandırılmamış olması nedeniyle başarısız oldu.
invalid_client: İstemcinin kimlik doğrulaması bilinmeyen istemci, istemci kimlik doğrulamasının dahil olmaması veya desteklenmeyen kimlik doğrulama yöntemi nedeniyle başarısız oldu.
invalid_grant: Sağlanan yetkilendirme izni geçersiz, süresi dolmuş, iptal edilmiş, yetkilendirme isteğinde kullanılan yönlendirme URL'siyle eşleşmiyor veya başka bir istemciye verilmiş.
invalid_redirect_uri: Dahil edilmiş yönlendirme URL'si geçersiz.
diff --git a/config/locales/el.yml b/config/locales/el.yml
index 8bbb02822..7b23b5f9f 100644
--- a/config/locales/el.yml
+++ b/config/locales/el.yml
@@ -26,7 +26,7 @@ el:
Χρησιμεύει στη λειτουργία της ομοσπονδίας και δε θα πρέπει να αποκλειστεί, εκτός κι αν είναι επιθυμητός ο αποκλεισμός ολόκληρου του κόμβου. Σε αυτή την περίπτωση θα πρέπει να χρησιμοποιηθεί η λειτουργία αποκλεισμού τομέα.
learn_more: Μάθε περισσότερα
logout_before_registering: Είστε ήδη συνδεδεμένοι.
- privacy_policy: Πολιτική απορρήτου
+ privacy_policy: Πολιτική Απορρήτου
rules: Κανόνες διακομιστή
rules_html: 'Παρακάτω είναι μια σύνοψη των κανόνων που πρέπει να ακολουθήσετε αν θέλετε να έχετε ένα λογαριασμό σε αυτόν τον διακομιστή Mastodon:'
see_whats_happening: Μάθε τι συμβαίνει
@@ -37,7 +37,6 @@ el:
other: δημοσιεύσεις
status_count_before: Που έγραψαν
tagline: Αποκεντρωμένο κοινωνικό δίκτυο
- terms: Όροι χρήσης
unavailable_content: Μη διαθέσιμο
unavailable_content_description:
domain: Διακομιστής
@@ -265,7 +264,6 @@ el:
destroy_instance_html: Ο/Η %{name} εκκαθάρισε τον τομέα %{target}
reject_user_html: "%{name} απορρίφθηκε εγγραφή από %{target}"
unblock_email_account_html: "%{name} ξεμπλόκαρε τη διεύθυνση ηλεκτρονικού ταχυδρομείου του %{target}"
- deleted_status: "(διαγραμμένη δημοσίευση)"
empty: Δεν βρέθηκαν αρχεία καταγραφής.
filter_by_action: Φιλτράρισμα ανά ενέργεια
filter_by_user: Φιλτράρισμα ανά χρήστη
@@ -571,8 +569,8 @@ el:
desc_html: Εμφανίζεται στην πλαϊνή μπάρα και στα meta tags. Περιέγραψε τι είναι το Mastodon και τι κάνει αυτό τον διακομιστή ιδιαίτερο σε μια παράγραφο. Αν μείνει κενό, θα χρησιμοποιήσει την προκαθορισμένη περιγραφή του κόμβου.
title: Σύντομη περιγραφή του κόμβου
site_terms:
- desc_html: Μπορείς να γράψεις τη δική σου πολιτική απορρήτου, όρους χρήσης ή άλλους νομικούς όρους. Μπορείς να χρησιμοποιήσεις HTML tags
- title: Προσαρμοσμένοι όροι χρήσης της υπηρεσίας
+ desc_html: Μπορείτε να γράψετε τη δική σας πολιτική απορρήτου. Μπορείτε να χρησιμοποιήσετε ετικέτες HTML
+ title: Προσαρμοσμένη πολιτική απορρήτου
site_title: Όνομα κόμβου
thumbnail:
desc_html: Χρησιμοποιείται για προεπισκοπήσεις μέσω του OpenGraph και του API. Συστήνεται 1200x630px
@@ -581,9 +579,6 @@ el:
desc_html: Εμφάνισε τη δημόσια ροή στην αρχική σελίδα
title: Προεπισκόπιση ροής
title: Ρυθμίσεις ιστότοπου
- trendable_by_default:
- desc_html: Επηρεάζει όσες ετικέτες δεν είχαν απαγορευτεί νωρίτερα
- title: Επέτρεψε στις ετικέτες να εμφανίζονται στις τάσεις χωρίς να χρειάζεται πρώτα έγκριση
trends:
desc_html: Δημόσια εμφάνιση ετικετών που έχουν ήδη εγκριθεί και είναι δημοφιλείς
title: Δημοφιλείς ετικέτες
@@ -946,17 +941,6 @@ el:
subject: "%{name} υπέβαλε μια αναφορά"
sign_up:
subject: "%{name} έχει εγγραφεί"
- digest:
- action: Δες όλες τις ειδοποιήσεις
- body: Μια σύνοψη των μηνυμάτων που έχασες από την τελευταία επίσκεψή σου στις %{since}
- mention: 'Ο/Η %{name} σε ανέφερε στις:'
- new_followers_summary:
- one: Επίσης, απέκτησες έναν νέο ακόλουθο ενώ ήσουν μακριά!
- other: Επίσης, απέκτησες %{count} νέους ακόλουθους ενώ ήσουν μακριά! Εκπληκτικό!
- subject:
- one: "1 νέα ειδοποίηση από την τελευταία επίσκεψή σου 🐘"
- other: "%{count} νέες ειδοποιήσεις από την τελευταία επίσκεψή σου 🐘"
- title: Ενώ έλειπες...
favourite:
body: 'Η κατάστασή σου αγαπήθηκε από τον/την %{name}:'
subject: Ο/Η %{name} αγάπησε την κατάστασή σου
@@ -1167,7 +1151,7 @@ el:
tags:
does_not_match_previous_name: δεν ταιριάζει με το προηγούμενο όνομα
terms:
- title: Όροι Χρήσης και Πολιτική Απορρήτου του κόμβου %{instance}
+ title: "%{instance} Πολιτική Απορρήτου"
themes:
contrast: Mastodon (Υψηλή αντίθεση)
default: Mastodon (Σκοτεινό)
diff --git a/config/locales/en.yml b/config/locales/en.yml
index 2cd4f45ac..6f0f3e953 100644
--- a/config/locales/en.yml
+++ b/config/locales/en.yml
@@ -28,7 +28,7 @@ en:
learn_more: Learn more
logged_in_as_html: You are currently logged in as %{username}.
logout_before_registering: You are already logged in.
- privacy_policy: Privacy policy
+ privacy_policy: Privacy Policy
rules: Server rules
rules_html: 'Below is a summary of rules you need to follow if you want to have an account on this server of Mastodon:'
see_whats_happening: See what's happening
@@ -39,7 +39,6 @@ en:
other: posts
status_count_before: Who published
tagline: Decentralized social network
- terms: Terms of service
unavailable_content: Moderated servers
unavailable_content_description:
domain: Server
@@ -235,17 +234,21 @@ en:
approve_user: Approve User
assigned_to_self_report: Assign Report
change_email_user: Change E-mail for User
+ change_role_user: Change Role of User
confirm_user: Confirm User
create_account_warning: Create Warning
create_announcement: Create Announcement
+ create_canonical_email_block: Create E-mail Block
create_custom_emoji: Create Custom Emoji
create_domain_allow: Create Domain Allow
create_domain_block: Create Domain Block
create_email_domain_block: Create E-mail Domain Block
create_ip_block: Create IP rule
create_unavailable_domain: Create Unavailable Domain
+ create_user_role: Create Role
demote_user: Demote User
destroy_announcement: Delete Announcement
+ destroy_canonical_email_block: Delete E-mail Block
destroy_custom_emoji: Delete Custom Emoji
destroy_domain_allow: Delete Domain Allow
destroy_domain_block: Delete Domain Block
@@ -254,6 +257,7 @@ en:
destroy_ip_block: Delete IP rule
destroy_status: Delete Post
destroy_unavailable_domain: Delete Unavailable Domain
+ destroy_user_role: Destroy Role
disable_2fa_user: Disable 2FA
disable_custom_emoji: Disable Custom Emoji
disable_sign_in_token_auth_user: Disable E-mail Token Authentication for User
@@ -280,24 +284,30 @@ en:
update_announcement: Update Announcement
update_custom_emoji: Update Custom Emoji
update_domain_block: Update Domain Block
+ update_ip_block: Update IP rule
update_status: Update Post
+ update_user_role: Update Role
actions:
approve_appeal_html: "%{name} approved moderation decision appeal from %{target}"
approve_user_html: "%{name} approved sign-up from %{target}"
assigned_to_self_report_html: "%{name} assigned report %{target} to themselves"
change_email_user_html: "%{name} changed the e-mail address of user %{target}"
+ change_role_user_html: "%{name} changed role of %{target}"
confirm_user_html: "%{name} confirmed e-mail address of user %{target}"
create_account_warning_html: "%{name} sent a warning to %{target}"
create_announcement_html: "%{name} created new announcement %{target}"
+ create_canonical_email_block_html: "%{name} blocked e-mail with the hash %{target}"
create_custom_emoji_html: "%{name} uploaded new emoji %{target}"
create_domain_allow_html: "%{name} allowed federation with domain %{target}"
create_domain_block_html: "%{name} blocked domain %{target}"
create_email_domain_block_html: "%{name} blocked e-mail domain %{target}"
create_ip_block_html: "%{name} created rule for IP %{target}"
create_unavailable_domain_html: "%{name} stopped delivery to domain %{target}"
+ create_user_role_html: "%{name} created %{target} role"
demote_user_html: "%{name} demoted user %{target}"
destroy_announcement_html: "%{name} deleted announcement %{target}"
- destroy_custom_emoji_html: "%{name} destroyed emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} unblocked e-mail with the hash %{target}"
+ destroy_custom_emoji_html: "%{name} deleted emoji %{target}"
destroy_domain_allow_html: "%{name} disallowed federation with domain %{target}"
destroy_domain_block_html: "%{name} unblocked domain %{target}"
destroy_email_domain_block_html: "%{name} unblocked e-mail domain %{target}"
@@ -305,6 +315,7 @@ en:
destroy_ip_block_html: "%{name} deleted rule for IP %{target}"
destroy_status_html: "%{name} removed post by %{target}"
destroy_unavailable_domain_html: "%{name} resumed delivery to domain %{target}"
+ destroy_user_role_html: "%{name} deleted %{target} role"
disable_2fa_user_html: "%{name} disabled two factor requirement for user %{target}"
disable_custom_emoji_html: "%{name} disabled emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} disabled e-mail token authentication for %{target}"
@@ -331,8 +342,9 @@ en:
update_announcement_html: "%{name} updated announcement %{target}"
update_custom_emoji_html: "%{name} updated emoji %{target}"
update_domain_block_html: "%{name} updated domain block for %{target}"
+ update_ip_block_html: "%{name} changed rule for IP %{target}"
update_status_html: "%{name} updated post by %{target}"
- deleted_status: "(deleted post)"
+ update_user_role_html: "%{name} changed %{target} role"
empty: No logs found.
filter_by_action: Filter by action
filter_by_user: Filter by user
@@ -784,8 +796,8 @@ en:
desc_html: Displayed in sidebar and meta tags. Describe what Mastodon is and what makes this server special in a single paragraph.
title: Short server description
site_terms:
- desc_html: You can write your own privacy policy, terms of service or other legalese. You can use HTML tags
- title: Custom terms of service
+ desc_html: You can write your own privacy policy. You can use HTML tags
+ title: Custom privacy policy
site_title: Server name
thumbnail:
desc_html: Used for previews via OpenGraph and API. 1200x630px recommended
@@ -1181,6 +1193,8 @@ en:
edit:
add_keyword: Add keyword
keywords: Keywords
+ statuses: Individual posts
+ statuses_hint_html: This filter applies to select individual posts regardless of whether they match the keywords below. Review or remove posts from the filter.
title: Edit filter
errors:
deprecated_api_multiple_keywords: These parameters cannot be changed from this application because they apply to more than one filter keyword. Use a more recent application or the web interface.
@@ -1194,10 +1208,23 @@ en:
keywords:
one: "%{count} keyword"
other: "%{count} keywords"
+ statuses:
+ one: "%{count} post"
+ other: "%{count} posts"
+ statuses_long:
+ one: "%{count} individual post hidden"
+ other: "%{count} individual posts hidden"
title: Filters
new:
save: Save new filter
title: Add new filter
+ statuses:
+ back_to_filter: Back to filter
+ batch:
+ remove: Remove from filter
+ index:
+ hint: This filter applies to select individual posts regardless of other criteria. You can add more posts to this filter from the web interface.
+ title: Filtered posts
footer:
developers: Developers
more: More…
@@ -1205,12 +1232,22 @@ en:
trending_now: Trending now
generic:
all: All
+ all_items_on_page_selected_html:
+ one: "%{count} item on this page is selected."
+ other: All %{count} items on this page are selected.
+ all_matching_items_selected_html:
+ one: "%{count} item matching your search is selected."
+ other: All %{count} items matching your search are selected.
changes_saved_msg: Changes successfully saved!
copy: Copy
delete: Delete
+ deselect: Deselect all
none: None
order_by: Order by
save_changes: Save changes
+ select_all_matching_items:
+ one: Select %{count} item matching your search.
+ other: Select all %{count} items matching your search.
today: today
validation_errors:
one: Something isn't quite right yet! Please review the error below
@@ -1319,17 +1356,6 @@ en:
subject: "%{name} submitted a report"
sign_up:
subject: "%{name} signed up"
- digest:
- action: View all notifications
- body: Here is a brief summary of the messages you missed since your last visit on %{since}
- mention: "%{name} mentioned you in:"
- new_followers_summary:
- one: Also, you have acquired one new follower while being away! Yay!
- other: Also, you have acquired %{count} new followers while being away! Amazing!
- subject:
- one: "1 new notification since your last visit 🐘"
- other: "%{count} new notifications since your last visit 🐘"
- title: In your absence...
favourite:
body: 'Your post was favourited by %{name}:'
subject: "%{name} favourited your post"
@@ -1693,7 +1719,7 @@ en:
This document is CC-BY-SA. It was last updated May 26, 2022.
- title: "%{instance} Terms of Service and Privacy Policy"
+ title: "%{instance} Privacy Policy"
themes:
contrast: Mastodon (High contrast)
default: Mastodon (Dark)
diff --git a/config/locales/eo.yml b/config/locales/eo.yml
index 5fbde142b..c8a7534ac 100644
--- a/config/locales/eo.yml
+++ b/config/locales/eo.yml
@@ -22,21 +22,21 @@ eo:
federation_hint_html: Per konto ĉe %{instance}, vi povos sekvi homojn ĉe iu ajn Mastodon nodo kaj preter.
get_apps: Provu telefonan aplikaĵon
hosted_on: "%{domain} estas nodo de Mastodon"
- instance_actor_flash: 'Ĉi tiu konto estas virtuala agento uzata por reprezenti la servilon mem kaj neniu individua uzanto. Ĝi estas uzata por celoj de la federaĵo kaj devas ne esti brokita se vi ne volas bloki la tutan servilon, en kiu okazo vi devas uzi blokadon de domajno.
+ instance_actor_flash: 'Ĉi tiu konto estas virtuala agento uzata por reprezenti la servilon mem kaj neniu individua uzanto. Ĝi estas uzata por celoj de la federaĵo, kaj devas ne esti brokita, krom se vi ne volas bloki la tutan servilon, tiuokaze vi devas uzi blokadon de domajno.
'
learn_more: Lerni pli
+ logged_in_as_html: Vi nun salutis kiel %{username}.
logout_before_registering: Vi jam salutis.
- privacy_policy: Privateca politiko
rules: Reguloj de la servilo
see_whats_happening: Vidi kio okazas
- server_stats: Servo statuso
+ server_stats: 'Statistikoj de la servilo:'
source_code: Fontkodo
status_count_after:
one: mesaĝo
other: mesaĝoj
status_count_before: Kie skribiĝis
- terms: Kondiĉoj de la servo
+ tagline: Malcentrigita socia retejo
unavailable_content: Moderigitaj serviloj
unavailable_content_description:
domain: Servilo
@@ -108,9 +108,9 @@ eo:
delete: Forigi datumojn
deleted: Forigita
demote: Degradi
- disable: Malebligi
- disable_two_factor_authentication: Malebligi 2FA
- disabled: Malebligita
+ disable: Frostigi
+ disable_two_factor_authentication: Malaktivigi 2FA-n
+ disabled: Frostigita
display_name: Montrata nomo
domain: Domajno
edit: Redakti
@@ -220,9 +220,9 @@ eo:
destroy_ip_block: Forigi IP-regulon
destroy_status: Forigi mesaĝon
destroy_unavailable_domain: Forigi Nehaveblan Domajnon
- disable_2fa_user: Malebligi 2FA
- disable_custom_emoji: Malebligi Propran Emoĝion
- disable_user: Malebligi uzanton
+ disable_2fa_user: Malaktivigi 2FA-n
+ disable_custom_emoji: Malaktivigi la proprajn emoĝiojn
+ disable_user: Malaktivigi la uzanton
enable_custom_emoji: Ebligi Propran Emoĝion
enable_sign_in_token_auth_user: Aktivigi la aŭtentigon de peco per retpoŝto por la uzanto
enable_user: Ebligi uzanton
@@ -259,15 +259,14 @@ eo:
create_ip_block_html: "%{name} kreis regulon por IP %{target}"
demote_user_html: "%{name} degradis uzanton %{target}"
destroy_announcement_html: "%{name} forigis anoncon %{target}"
- destroy_custom_emoji_html: "%{name} neniigis la emoĝion %{target}"
destroy_domain_allow_html: "%{name} forigis domajnon %{target} el la blanka listo"
destroy_domain_block_html: "%{name} malblokis domajnon %{target}"
destroy_email_domain_block_html: "%{name} malblokis retpoŝtan domajnon %{target}"
destroy_ip_block_html: "%{name} forigis regulon por IP %{target}"
destroy_status_html: "%{name} forigis mesaĝojn de %{target}"
- disable_2fa_user_html: "%{name} malebligis dufaktoran aŭtentigon por uzanto %{target}"
- disable_custom_emoji_html: "%{name} malebligis emoĝion %{target}"
- disable_user_html: "%{name} malebligis ensaluton por uzanto %{target}"
+ disable_2fa_user_html: "%{name} malaktivigis la postulon de la dufaktora aŭtentigo por la uzanto %{target}"
+ disable_custom_emoji_html: "%{name} neebligis la emoĝion %{target}"
+ disable_user_html: "%{name} neebligis la saluton de la uzanto %{target}"
enable_custom_emoji_html: "%{name} ebligis emoĝion %{target}"
enable_user_html: "%{name} ebligis ensaluton por uzanto %{target}"
memorialize_account_html: "%{name} ŝanĝis la konton de %{target} al memora paĝo"
@@ -278,7 +277,6 @@ eo:
suspend_account_html: "%{name} suspendis la konton de %{target}"
unsuspend_account_html: "%{name} reaktivigis la konton de %{target}"
update_announcement_html: "%{name} ĝisdatigis anoncon %{target}"
- deleted_status: "(forigita mesaĝo)"
empty: Neniu protokolo trovita.
filter_by_action: Filtri per ago
filter_by_user: Filtri per uzanto
@@ -310,9 +308,9 @@ eo:
created_msg: Emoĝio sukcese kreita!
delete: Forigi
destroyed_msg: Emoĝio sukcese forigita!
- disable: Malebligi
- disabled: Malebligita
- disabled_msg: Emoĝio sukcese malebligita
+ disable: Neebligi
+ disabled: Neebligita
+ disabled_msg: La emoĝio sukcese neebligita
emoji: Emoĝio
enable: Ebligi
enabled: Ebligita
@@ -458,11 +456,11 @@ eo:
add_new: Aldoni novan ripetilon
delete: Forigi
description_html: "Fratara ripetilo estas survoja servilo, kiu interŝanĝas grandan kvanton de publikaj mesaĝoj inter serviloj, kiuj abonas kaj publikigas al ĝi. Ĝi povas helpi etajn kaj mezgrandajn servilojn malkovri enhavon de la fediverse, kio normale postulus al lokaj uzantoj mane sekvi homojn de foraj serviloj."
- disable: Malebligi
- disabled: Malebligita
+ disable: Neebligi
+ disabled: Neebligita
enable: Ebligi
enable_hint: Post ebligo, via servilo abonos ĉiujn publikajn mesaĝojn de tiu ripetilo, kaj komencos sendi publikajn mesaĝojn de la servilo al ĝi.
- enabled: Malebligita
+ enabled: Ebligita
inbox_url: URL de la ripetilo
pending: Atendante aprobon de la ripetilo
save_and_enable: Konservi kaj ebligi
@@ -587,9 +585,6 @@ eo:
site_short_description:
desc_html: Afiŝita en la flankpanelo kaj metadatumaj etikedoj. Priskribu kio estas Mastodon, kaj kio specialas en ĉi tiu nodo, per unu alineo. Se malplena, la priskribo de la servilo estos uzata.
title: Mallonga priskribo de la servilo
- site_terms:
- desc_html: Vi povas skribi vian propran privatecan politikon, viajn uzkondiĉojn aŭ aliajn leĝaĵojn. Vi povas uzi HTML-etikedojn
- title: Propraj kondiĉoj de la servo
site_title: Nomo de la servilo
thumbnail:
desc_html: Uzata por antaŭvidoj per OpenGraph kaj per API. 1200x630px rekomendita
@@ -618,7 +613,7 @@ eo:
strikes:
actions:
delete_statuses: "%{name} forigis afiŝojn de %{target}"
- disable: "%{name} malebligis la konton de %{target}"
+ disable: "%{name} frostigis la konton de %{target}"
suspend: "%{name} suspendis la konton de %{target}"
appeal_approved: Apelaciita
system_checks:
@@ -644,6 +639,9 @@ eo:
allow_account: Permesi aŭtoron
disallow: Malpermesi afiŝon
disallow_account: Malpermesi aŭtoron
+ shared_by:
+ one: Kundividita kaj aldonita al preferaĵoj unufoje
+ other: Kundividita kaj aldonita al preferaĵoj %{friendly_count}-foje
title: Tendencantaj afiŝoj
tags:
dashboard:
@@ -660,7 +658,7 @@ eo:
admin_mailer:
new_appeal:
actions:
- disable: por malebligi ties konton
+ disable: por frostigi ties konton
new_pending_account:
body: La detaloj de la nova konto estas sube. Vi povas aprobi aŭ Malakcepti ĉi kandidatiĝo.
subject: Nova konto atendas por recenzo en %{instance} (%{username})
@@ -765,7 +763,7 @@ eo:
invalid_signature: 올바른 Ed25519 시그니처가 아닙니다
date:
formats:
- default: "%d de %b %Y"
+ default: "%Y-%b-%d"
with_month_name: "%e-a de %B %Y"
datetime:
distance_in_words:
@@ -858,7 +856,7 @@ eo:
errors:
invalid_context: Neniu aŭ nevalida kunteksto donita
index:
- contexts: Filtri en %{contexts}
+ contexts: Filtriloj en %{contexts}
delete: Forigi
empty: Vi havas neniun filtrilon.
expires_in: Eksvalidiĝi en %{distance}
@@ -922,7 +920,7 @@ eo:
one: 1 uzo
other: "%{count} uzoj"
max_uses_prompt: Neniu limo
- prompt: Krei kaj diskonigi ligilojn al aliaj por doni aliron al ĉi tiu servilo
+ prompt: Generi kaj kundividi ligilojn kun aliaj personoj por doni aliron al ĉi tiu servilo
table:
expires_at: Eksvalidiĝas je
uses: Uzoj
@@ -964,17 +962,6 @@ eo:
moderation:
title: Moderigado
notification_mailer:
- digest:
- action: Vidi ĉiujn sciigojn
- body: Jen eta resumo de la mesaĝoj, kiujn vi mistrafis ekde via lasta vizito en %{since}
- mention: "%{name} menciis vin en:"
- new_followers_summary:
- one: Ankaŭ, vi ekhavis novan sekvanton en via foresto! Jej!
- other: Ankaŭ, vi ekhavis %{count} novajn sekvantojn en via foresto! Mirinde!
- subject:
- one: "1 nova sciigo ekde via lasta vizito 🐘"
- other: "%{count} novaj sciigoj ekde via lasta vizito 🐘"
- title: En via foresto…
favourite:
body: "%{name} stelumis vian mesaĝon:"
subject: "%{name} stelumis vian mesaĝon"
@@ -994,9 +981,9 @@ eo:
subject: "%{name} menciis vin"
title: Nova mencio
reblog:
- body: "%{name} diskonigis vian mesaĝon:"
- subject: "%{name} diskonigis vian mesaĝon"
- title: Nova diskonigo
+ body: 'Via mesaĝo estas suprenigita de %{name}:'
+ subject: "%{name} suprenigis vian mesaĝon"
+ title: Nova suprenigo
status:
subject: "%{name} ĵus afiŝita"
update:
@@ -1076,8 +1063,8 @@ eo:
proceed: Konfirmi la stelumon
prompt: 'Vi volas aldoni ĉi tiun mesaĝon al viaj preferaĵoj:'
reblog:
- proceed: Konfirmi la diskonigon
- prompt: 'Vi volas diskonigi ĉi tiun mesaĝon:'
+ proceed: Procedi pri la suprenigo
+ prompt: 'Vi deziras suprenigi ĉi tiun mesaĝon:'
reply:
proceed: Konfirmi la respondon
prompt: 'Vi volas respondi al ĉi tiu mesaĝo:'
@@ -1161,7 +1148,7 @@ eo:
video:
one: "%{count} video"
other: "%{count} videoj"
- boosted_from_html: Diskonigita de %{acct_link}
+ boosted_from_html: Suprenigita de %{acct_link}
content_warning: 'Averto de la enhavo: %{warning}'
default_language: Same kiel lingvo de la fasado
disallowed_hashtags:
@@ -1172,7 +1159,7 @@ eo:
pin_errors:
limit: Vi jam atingis la maksimuman nombron de alpinglitaj mesaĝoj
ownership: Mesaĝo de iu alia ne povas esti alpinglita
- reblog: Diskonigo ne povas esti alpinglita
+ reblog: Suprenigo ne povas esti alpinglita
poll:
total_people:
one: "%{count} persono"
@@ -1199,7 +1186,7 @@ eo:
enabled: Aŭtomate forigi malnovajn postojn
exceptions: Esceptoj
ignore_favs: Ignori la preferaĵojn
- ignore_reblogs: Ignori akcelojn
+ ignore_reblogs: Ignori la suprenigojn
keep_direct: Konservi rektajn mesaĝojn
keep_direct_hint: Ne forigos viajn rektajn mesagôjn
keep_media: Konservi la mesaĝojn kun aŭdovidaj aldonaĵoj
@@ -1216,12 +1203,10 @@ eo:
'7889238': 3 monatoj
stream_entries:
pinned: Alpinglita
- reblogged: diskonigita
+ reblogged: suprenigita
sensitive_content: Tikla enhavo
tags:
does_not_match_previous_name: ne kongruas kun la antaŭa nomo
- terms:
- title: Uzkondiĉoj kaj privateca politiko de %{instance}
themes:
contrast: Mastodon (Forta kontrasto)
default: Mastodon (Malluma)
@@ -1233,8 +1218,8 @@ eo:
time: "%H:%M"
two_factor_authentication:
add: Aldoni
- disable: Malebligi
- disabled_success: Dufaktora aŭtentigo sukcese malebligita
+ disable: Malaktivigi 2FA-n
+ disabled_success: Du-faktora aŭtentigo sukcese malaktivigita
edit: Redakti
enabled: Dufaktora aŭtentigo ebligita
enabled_success: Dufaktora aŭtentigo sukcese ebligita
diff --git a/config/locales/es-AR.yml b/config/locales/es-AR.yml
index c4d9ee969..469ca27d9 100644
--- a/config/locales/es-AR.yml
+++ b/config/locales/es-AR.yml
@@ -39,7 +39,6 @@ es-AR:
other: mensajes
status_count_before: Que enviaron
tagline: Red social descentralizada
- terms: Términos del servicio
unavailable_content: Servidores moderados
unavailable_content_description:
domain: Servidor
@@ -235,17 +234,21 @@ es-AR:
approve_user: Aprobar usuario
assigned_to_self_report: Asignar denuncia
change_email_user: Cambiar correo electrónico del usuario
+ change_role_user: Cambiar rol del usuario
confirm_user: Confirmar usuario
create_account_warning: Crear advertencia
create_announcement: Crear anuncio
+ create_canonical_email_block: Crear bloqueo de correo electrónico
create_custom_emoji: Crear emoji personalizado
create_domain_allow: Crear permiso de dominio
create_domain_block: Crear bloqueo de dominio
create_email_domain_block: Crear bloqueo de dominio de correo electrónico
create_ip_block: Crear regla de dirección IP
create_unavailable_domain: Crear dominio no disponible
+ create_user_role: Crear rol
demote_user: Descender usuario
destroy_announcement: Eliminar anuncio
+ destroy_canonical_email_block: Eliminar bloqueo de correo electrónico
destroy_custom_emoji: Eliminar emoji personalizado
destroy_domain_allow: Eliminar permiso de dominio
destroy_domain_block: Eliminar bloqueo de dominio
@@ -254,6 +257,7 @@ es-AR:
destroy_ip_block: Eliminar regla de dirección IP
destroy_status: Eliminar mensaje
destroy_unavailable_domain: Eliminar dominio no disponible
+ destroy_user_role: Destruir rol
disable_2fa_user: Deshabilitar 2FA
disable_custom_emoji: Deshabilitar emoji personalizado
disable_sign_in_token_auth_user: Deshabilitar autenticación de token por correo electrónico para el usuario
@@ -280,24 +284,30 @@ es-AR:
update_announcement: Actualizar anuncio
update_custom_emoji: Actualizar emoji personalizado
update_domain_block: Actualizar bloque de dominio
+ update_ip_block: Actualizar regla de dirección IP
update_status: Actualizar mensaje
+ update_user_role: Actualizar rol
actions:
approve_appeal_html: "%{name} aprobó la solicitud de moderación de %{target}"
approve_user_html: "%{name} aprobó el registro de %{target}"
assigned_to_self_report_html: "%{name} se asignó la denuncia %{target} a sí"
change_email_user_html: "%{name} cambió la dirección de correo electrónico del usuario %{target}"
+ change_role_user_html: "%{name} cambió el rol de %{target}"
confirm_user_html: "%{name} confirmó la dirección de correo del usuario %{target}"
create_account_warning_html: "%{name} envió una advertencia a %{target}"
create_announcement_html: "%{name} creó el nuevo anuncio %{target}"
+ create_canonical_email_block_html: "%{name} bloqueó el correo electrónico con el hash %{target}"
create_custom_emoji_html: "%{name} subió nuevo emoji %{target}"
create_domain_allow_html: "%{name} permitió la federación con el dominio %{target}"
create_domain_block_html: "%{name} bloqueó el dominio %{target}"
create_email_domain_block_html: "%{name} bloqueó el dominio de correo electrónico %{target}"
create_ip_block_html: "%{name} creó la regla para la dirección IP %{target}"
create_unavailable_domain_html: "%{name} detuvo la entrega al dominio %{target}"
+ create_user_role_html: "%{name} creó el rol %{target}"
demote_user_html: "%{name} bajó de nivel al usuario %{target}"
destroy_announcement_html: "%{name} eliminó el anuncio %{target}"
- destroy_custom_emoji_html: "%{name} destruyó el emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} desbloqueó el correo electrónico con el hash %{target}"
+ destroy_custom_emoji_html: "%{name} eliminó el emoji %{target}"
destroy_domain_allow_html: "%{name} no permitió la federación con el dominio %{target}"
destroy_domain_block_html: "%{name} desbloqueó el dominio %{target}"
destroy_email_domain_block_html: "%{name} desbloqueó el dominio de correo electrónico %{target}"
@@ -305,6 +315,7 @@ es-AR:
destroy_ip_block_html: "%{name} eliminó la regla para la dirección IP %{target}"
destroy_status_html: "%{name} eliminó el mensaje de %{target}"
destroy_unavailable_domain_html: "%{name} reanudó la entrega al dominio %{target}"
+ destroy_user_role_html: "%{name} eliminó el rol %{target}"
disable_2fa_user_html: "%{name} deshabilitó el requerimiento de dos factores para el usuario %{target}"
disable_custom_emoji_html: "%{name} deshabilitó el emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} deshabilitó la autenticación de token por correo electrónico para %{target}"
@@ -331,8 +342,9 @@ es-AR:
update_announcement_html: "%{name} actualizó el anuncio %{target}"
update_custom_emoji_html: "%{name} actualizó el emoji %{target}"
update_domain_block_html: "%{name} actualizó el bloqueo de dominio para %{target}"
+ update_ip_block_html: "%{name} cambió la regla para la dirección IP %{target}"
update_status_html: "%{name} actualizó el mensaje de %{target}"
- deleted_status: "[mensaje eliminado]"
+ update_user_role_html: "%{name} cambió el rol %{target}"
empty: No se encontraron registros.
filter_by_action: Filtrar por acción
filter_by_user: Filtrar por usuario
@@ -784,8 +796,8 @@ es-AR:
desc_html: Mostrado en la barra lateral y las etiquetas de metadatos. Describe qué es Mastodon y qué hace especial a este servidor en un solo párrafo.
title: Descripción corta del servidor
site_terms:
- desc_html: Podés escribir tus propias políticas de privacidad, términos del servicio u otras cuestiones legales. Podés usar etiquetas HTML
- title: Términos del servicio personalizados
+ desc_html: Podés escribir tu propia política de privacidad. Podés usar etiquetas HTML
+ title: Política de privacidad personalizada
site_title: Nombre del servidor
thumbnail:
desc_html: Usado para previsualizaciones vía OpenGraph y APIs. Se recomienda 1200x630 píxeles
@@ -795,8 +807,8 @@ es-AR:
title: Permitir acceso no autorizado a la línea temporal pública
title: Configuración del sitio
trendable_by_default:
- desc_html: Afecta a etiquetas que no fueron rechazadas previamente
- title: Permitir que las etiquetas sean tendencia sin revisión previa
+ desc_html: El contenido de tendencias específicas todavía puede ser explícitamente desactivado
+ title: Permitir tendencias sin revisión previa
trends:
desc_html: Mostrar públicamente etiquetas previamente revisadas que son tendencia actualmente
title: Tendencias
@@ -1181,6 +1193,8 @@ es-AR:
edit:
add_keyword: Agregar palabra clave
keywords: Palabras clave
+ statuses: Mensajes individuales
+ statuses_hint_html: Este filtro se aplica a la selección de mensajes individuales, independientemente de si coinciden con las palabras clave a continuación. Revisar o quitar mensajes del filtro.
title: Editar filtro
errors:
deprecated_api_multiple_keywords: Estos parámetros no se pueden cambiar de esta aplicación porque se aplican a más de una palabra clave de filtro. Usá una aplicación más reciente o la interface web.
@@ -1194,10 +1208,23 @@ es-AR:
keywords:
one: "%{count} palabra clave"
other: "%{count} palabras clave"
+ statuses:
+ one: "%{count} mensaje"
+ other: "%{count} mensajes"
+ statuses_long:
+ one: "%{count} mensaje individual oculto"
+ other: "%{count} mensajes individuales ocultos"
title: Filtros
new:
save: Guardar nuevo filtro
title: Agregar nuevo filtro
+ statuses:
+ back_to_filter: Volver al filtro
+ batch:
+ remove: Quitar del filtro
+ index:
+ hint: Este filtro se aplica a la selección de mensajes individuales, independientemente de otros criterios. Podés agregar más mensajes a este filtro desde la interface web.
+ title: Mensajes filtrados
footer:
developers: Desarrolladores
more: Más…
@@ -1205,12 +1232,22 @@ es-AR:
trending_now: Tendencia ahora
generic:
all: Todas
+ all_items_on_page_selected_html:
+ one: "%{count} elemento en esta página está seleccionado."
+ other: Todos los %{count} elementos en esta página están seleccionados.
+ all_matching_items_selected_html:
+ one: "%{count} elemento que coincide con tu búsqueda está seleccionado."
+ other: Todos los %{count} elementos que coinciden con tu búsqueda están seleccionados.
changes_saved_msg: "¡Cambios guardados exitosamente!"
copy: Copiar
delete: Eliminar
+ deselect: Deseleccionar todo
none: "[Ninguna]"
order_by: Ordenar por
save_changes: Guardar cambios
+ select_all_matching_items:
+ one: Seleccionar %{count} elemento que coincide con tu búsqueda.
+ other: Seleccionar todos los %{count} elementos que coinciden con tu búsqueda.
today: hoy
validation_errors:
one: "¡Falta algo! Por favor, revisá el error abajo"
@@ -1319,17 +1356,6 @@ es-AR:
subject: "%{name} envió una denuncia"
sign_up:
subject: Se registró %{name}
- digest:
- action: Ver todas las notificaciones
- body: Acá tenés un resumen de los mensajes que te perdiste desde tu última visita, el %{since}
- mention: "%{name} te mencionó en:"
- new_followers_summary:
- one: Además, ¡ganaste un nuevo seguidor mientras estabas ausente! ¡Esa!
- other: Además, ¡ganaste %{count} nuevos seguidores mientras estabas ausente! ¡Esssa!
- subject:
- one: "1 nueva notificación desde tu última visita 🐘"
- other: "%{count} nuevas notificaciones desde tu última visita 🐘"
- title: En tu ausencia...
favourite:
body: 'Tu mensaje fue marcado como favorito por %{name}:'
subject: "%{name} marcó tu mensaje como favorito"
@@ -1692,7 +1718,7 @@ es-AR:
Este documento se publica bajo la licencia CC-BY-SA (Creative Commons - Atribución - CompartirIgual) y fue actualizado por última vez el 26 de mayo de 2022.
- title: Términos del servicio y Políticas de privacidad de %{instance}
+ title: Política de privacidad de %{instance}
themes:
contrast: Alto contraste
default: Oscuro
diff --git a/config/locales/es-MX.yml b/config/locales/es-MX.yml
index 7ba46a89c..05cfccf44 100644
--- a/config/locales/es-MX.yml
+++ b/config/locales/es-MX.yml
@@ -28,7 +28,7 @@ es-MX:
learn_more: Aprende más
logged_in_as_html: Actualmente estás conectado como %{username}.
logout_before_registering: Actualmente ya has iniciado sesión.
- privacy_policy: Política de privacidad
+ privacy_policy: Política de Privacidad
rules: Normas del servidor
rules_html: 'A continuación hay un resumen de las normas que debes seguir si quieres tener una cuenta en este servidor de Mastodon:'
see_whats_happening: Ver lo que está pasando
@@ -39,7 +39,6 @@ es-MX:
other: estados
status_count_before: Qué han escrito
tagline: Red social descentralizada
- terms: Condiciones de servicio
unavailable_content: Contenido no disponible
unavailable_content_description:
domain: Servidor
@@ -103,11 +102,17 @@ es-MX:
avatar: Foto de perfil
by_domain: Dominio
change_email:
+ changed_msg: "¡Email cambiado con éxito!"
current_email: Correo electrónico actual
label: Cambiar el correo electrónico
new_email: Nuevo correo electrónico
submit: Cambiar el correo electrónico
title: Cambiar el correo electrónico de %{username}
+ change_role:
+ changed_msg: "¡Rol cambiado con éxito!"
+ label: Cambiar rol
+ no_role: Sin rol
+ title: Cambiar rol para %{username}
confirm: Confirmar
confirmed: Confirmado
confirming: Confirmando
@@ -151,6 +156,7 @@ es-MX:
active: Activo
all: Todos
pending: Pendiente
+ silenced: Limitado
suspended: Suspendidos
title: Moderación
moderation_notes: Notas de moderación
@@ -158,6 +164,7 @@ es-MX:
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
+ no_role_assigned: Ningún rol asignado
not_subscribed: No se está suscrito
pending: Revisión pendiente
perform_full_suspension: Suspender
@@ -184,6 +191,7 @@ es-MX:
reset: Reiniciar
reset_password: Reiniciar contraseña
resubscribe: Re-suscribir
+ role: Rol
search: Buscar
search_same_email_domain: Otros usuarios con el mismo dominio de correo
search_same_ip: Otros usuarios con la misma IP
@@ -226,17 +234,21 @@ es-MX:
approve_user: Aprobar Usuario
assigned_to_self_report: Asignar Reporte
change_email_user: Cambiar Correo Electrónico del Usuario
+ change_role_user: Cambiar Rol de Usuario
confirm_user: Confirmar Usuario
create_account_warning: Crear Advertencia
create_announcement: Crear Anuncio
+ create_canonical_email_block: Crear Bloqueo de Correo Electrónico
create_custom_emoji: Crear Emoji Personalizado
create_domain_allow: Crear Permiso de Dominio
create_domain_block: Crear Bloqueo de Dominio
create_email_domain_block: Crear Bloqueo de Dominio de Correo Electrónico
create_ip_block: Crear regla IP
create_unavailable_domain: Crear Dominio No Disponible
+ create_user_role: Crear Rol
demote_user: Degradar Usuario
destroy_announcement: Eliminar Anuncio
+ destroy_canonical_email_block: Eliminar Bloqueo de Correo Electrónico
destroy_custom_emoji: Eliminar Emoji Personalizado
destroy_domain_allow: Eliminar Permiso de Dominio
destroy_domain_block: Eliminar Bloqueo de Dominio
@@ -245,6 +257,7 @@ es-MX:
destroy_ip_block: Eliminar regla IP
destroy_status: Eliminar Estado
destroy_unavailable_domain: Eliminar Dominio No Disponible
+ destroy_user_role: Destruir Rol
disable_2fa_user: Deshabilitar 2FA
disable_custom_emoji: Deshabilitar Emoji Personalizado
disable_sign_in_token_auth_user: Deshabilitar la Autenticación por Token de Correo Electrónico para el Usuario
@@ -271,24 +284,30 @@ es-MX:
update_announcement: Actualizar Anuncio
update_custom_emoji: Actualizar Emoji Personalizado
update_domain_block: Actualizar el Bloqueo de Dominio
+ update_ip_block: Actualizar regla IP
update_status: Actualizar Estado
+ update_user_role: Actualizar Rol
actions:
approve_appeal_html: "%{name} aprobó la solicitud de moderación de %{target}"
approve_user_html: "%{name} aprobó el registro de %{target}"
assigned_to_self_report_html: "%{name} asignó el informe %{target} a sí mismo"
change_email_user_html: "%{name} cambió la dirección de correo electrónico del usuario %{target}"
+ change_role_user_html: "%{name} cambió el rol de %{target}"
confirm_user_html: "%{name} confirmó la dirección de correo electrónico del usuario %{target}"
create_account_warning_html: "%{name} envió una advertencia a %{target}"
create_announcement_html: "%{name} ha creado un nuevo anuncio %{target}"
+ create_canonical_email_block_html: "%{name} bloqueó el correo electrónico con el hash %{target}"
create_custom_emoji_html: "%{name} subió un nuevo emoji %{target}"
create_domain_allow_html: "%{name} permitió la federación con el dominio %{target}"
create_domain_block_html: "%{name} bloqueó el dominio %{target}"
create_email_domain_block_html: "%{name} bloqueó el dominio de correo electrónico %{target}"
create_ip_block_html: "%{name} creó una regla para la IP %{target}"
create_unavailable_domain_html: "%{name} detuvo las entregas al dominio %{target}"
+ create_user_role_html: "%{name} creó el rol %{target}"
demote_user_html: "%{name} degradó al usuario %{target}"
destroy_announcement_html: "%{name} eliminó el anuncio %{target}"
- destroy_custom_emoji_html: "%{name} destruyó emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} desbloqueó el correo electrónico con el hash %{target}"
+ destroy_custom_emoji_html: "%{name} eliminó el emoji %{target}"
destroy_domain_allow_html: "%{name} bloqueó la federación con el dominio %{target}"
destroy_domain_block_html: "%{name} desbloqueó el dominio %{target}"
destroy_email_domain_block_html: "%{name} desbloqueó el dominio de correo electrónico %{target}"
@@ -296,6 +315,7 @@ es-MX:
destroy_ip_block_html: "%{name} eliminó una regla para la IP %{target}"
destroy_status_html: "%{name} eliminó el estado por %{target}"
destroy_unavailable_domain_html: "%{name} reanudó las entregas al dominio %{target}"
+ destroy_user_role_html: "%{name} eliminó el rol %{target}"
disable_2fa_user_html: "%{name} desactivó el requisito de dos factores para el usuario %{target}"
disable_custom_emoji_html: "%{name} desactivó el emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} ha deshabilitado la autenticación por token de correo electrónico para %{target}"
@@ -322,8 +342,9 @@ es-MX:
update_announcement_html: "%{name} actualizó el anuncio %{target}"
update_custom_emoji_html: "%{name} actualizó el emoji %{target}"
update_domain_block_html: "%{name} actualizó el bloqueo de dominio para %{target}"
+ update_ip_block_html: "%{name} cambió la regla para la IP %{target}"
update_status_html: "%{name} actualizó el estado de %{target}"
- deleted_status: "(estado borrado)"
+ update_user_role_html: "%{name} cambió el rol %{target}"
empty: No se encontraron registros.
filter_by_action: Filtrar por acción
filter_by_user: Filtrar por usuario
@@ -640,6 +661,67 @@ es-MX:
unresolved: No resuelto
updated_at: Actualizado
view_profile: Ver perfil
+ roles:
+ add_new: Añadir rol
+ assigned_users:
+ one: "%{count} usuario"
+ other: "%{count} usuarios"
+ categories:
+ administration: Administración
+ devops: DevOps
+ invites: Invitaciones
+ moderation: Moderación
+ special: Especial
+ delete: Eliminar
+ description_html: Con roles de usuario, puede personalizar las funciones y áreas de Mastodon a las que pueden acceder sus usuarios.
+ edit: Editar rol '%{name}'
+ everyone: Permisos por defecto
+ everyone_full_description_html: Este es el rol base que afecta a todos los usuarios, incluso aquellos sin un rol asignado. Todos los otros roles heredan permisos de él.
+ permissions_count:
+ one: "%{count} permiso"
+ other: "%{count} permisos"
+ privileges:
+ administrator: Administrador
+ administrator_description: Los usuarios con este permiso saltarán todos los permisos
+ delete_user_data: Borrar Datos de Usuario
+ delete_user_data_description: Permite a los usuarios eliminar los datos de otros usuarios sin demora
+ invite_users: Invitar usuarios
+ invite_users_description: Permite a los usuarios invitar a nuevas personas al servidor
+ manage_announcements: Administrar Anuncios
+ manage_announcements_description: Permite a los usuarios gestionar anuncios en el servidor
+ manage_appeals: Administrar Apelaciones
+ manage_appeals_description: Permite a los usuarios revisar apelaciones contra acciones de moderación
+ manage_blocks: Administrar Bloqueos
+ manage_blocks_description: Permite a los usuarios bloquear los proveedores de e-mail y las direcciones IP
+ manage_custom_emojis: Administrar Emojis Personalizados
+ manage_custom_emojis_description: Permite a los usuarios gestionar emojis personalizados en el servidor
+ manage_federation: Administrar Federación
+ manage_federation_description: Permite a los usuarios bloquear o permitir la federación con otros dominios, y controlar la entregabilidad
+ manage_invites: Administrar Invitaciones
+ manage_invites_description: Permite a los usuarios navegar y desactivar los enlaces de invitación
+ manage_reports: Administrar Informes
+ manage_reports_description: Permite a los usuarios revisar informes y realizar acciones de moderación basadas en ellos
+ manage_roles: Administrar Roles
+ manage_roles_description: Permite a los usuarios administrar y asignar roles por debajo de los suyos
+ manage_rules: Gestionar Reglas
+ manage_rules_description: Permite a los usuarios cambiar las reglas del servidor
+ manage_settings: Administrar Ajustes
+ manage_settings_description: Permite a los usuarios cambiar la configuración del sitio
+ manage_taxonomies: Administrar Taxonomías
+ manage_taxonomies_description: Permite a los usuarios revisar el contenido en tendencia y actualizar la configuración de las etiquetas
+ manage_user_access: Administrar Acceso de Usuarios
+ manage_user_access_description: Permite a los usuarios desactivar la autenticación de dos factores de otros usuarios, cambiar su dirección de correo electrónico y restablecer su contraseña
+ manage_users: Administrar Usuarios
+ manage_users_description: Permite a los usuarios ver los detalles de otros usuarios y realizar acciones de moderación contra ellos
+ manage_webhooks: Administrar Webhooks
+ manage_webhooks_description: Permite a los usuarios configurar webhooks para eventos administrativos
+ view_audit_log: Ver Registro de Auditoría
+ view_audit_log_description: Permite a los usuarios ver un historial de acciones administrativas en el servidor
+ view_dashboard: Ver Panel de Control
+ view_dashboard_description: Permite a los usuarios acceder al panel de control y varias métricas
+ view_devops: DevOps
+ view_devops_description: Permite a los usuarios acceder a los paneles de control Sidekiq y pgHero
+ title: Roles
rules:
add_new: Añadir norma
delete: Eliminar
@@ -714,8 +796,8 @@ es-MX:
desc_html: Mostrado en la barra lateral y las etiquetas de metadatos. Describe lo que es Mastodon y qué hace especial a este servidor en un solo párrafo. si está vacío, pone por defecto la descripción de la instancia.
title: Descripción corta de la instancia
site_terms:
- desc_html: Puedes escribir tus propias políticas de privacidad, términos de servicio u otras legalidades. Puedes usar tags HTML
- title: Términos de servicio personalizados
+ desc_html: Puedes escribir tu propia política de privacidad. Puedes usar etiquetas HTML
+ title: Política de privacidad personalizada
site_title: Nombre de instancia
thumbnail:
desc_html: Se usa para muestras con OpenGraph y APIs. Se recomienda 1200x630px
@@ -725,8 +807,8 @@ es-MX:
title: Previsualización
title: Ajustes del sitio
trendable_by_default:
- desc_html: Afecta a etiquetas que no han sido previamente rechazadas
- title: Permitir que las etiquetas sean tendencia sin revisión previa
+ desc_html: El contenido específico de tendencias todavía puede ser explícitamente desactivado
+ title: Permitir tendencias sin revisión previa
trends:
desc_html: Mostrar públicamente hashtags previamente revisados que son tendencia
title: Hashtags de tendencia
@@ -1111,6 +1193,8 @@ es-MX:
edit:
add_keyword: Añadir palabra clave
keywords: Palabras clave
+ statuses: Publicaciones individuales
+ statuses_hint_html: Este filtro se aplica a la selección de publicaciones individuales independientemente de si coinciden con las palabras clave a continuación. Revise o elimine publicaciones del filtro.
title: Editar filtro
errors:
deprecated_api_multiple_keywords: Estos parámetros no se pueden cambiar desde esta aplicación porque se aplican a más de una palabra clave de filtro. Utilice una aplicación más reciente o la interfaz web.
@@ -1124,10 +1208,23 @@ es-MX:
keywords:
one: "%{count} palabra clave"
other: "%{count} palabras clave"
+ statuses:
+ one: "%{count} publicación"
+ other: "%{count} publicaciones"
+ statuses_long:
+ one: "%{count} publicación individual oculta"
+ other: "%{count} publicaciones individuales ocultas"
title: Filtros
new:
save: Guardar nuevo filtro
title: Añadir un nuevo filtro
+ statuses:
+ back_to_filter: Volver a filtrar
+ batch:
+ remove: Eliminar del filtro
+ index:
+ hint: Este filtro se aplica a la selección de publicaciones individuales independientemente de otros criterios. Puede añadir más publicaciones a este filtro desde la interfaz web.
+ title: Publicaciones filtradas
footer:
developers: Desarrolladores
more: Mas…
@@ -1135,12 +1232,22 @@ es-MX:
trending_now: Tendencia ahora
generic:
all: Todos
+ all_items_on_page_selected_html:
+ one: "%{count} elemento en esta página está seleccionado."
+ other: Todos los %{count} elementos en esta página están seleccionados.
+ all_matching_items_selected_html:
+ one: "%{count} elemento que coincide con su búsqueda está seleccionado."
+ other: Todos los %{count} elementos que coinciden con su búsqueda están seleccionados.
changes_saved_msg: "¡Cambios guardados con éxito!"
copy: Copiar
delete: Eliminar
+ deselect: Deseleccionar todo
none: Nada
order_by: Ordenar por
save_changes: Guardar cambios
+ select_all_matching_items:
+ one: Seleccionar %{count} elemento que coincide con tu búsqueda.
+ other: Seleccionar todos los %{count} elementos que coinciden con tu búsqueda.
today: hoy
validation_errors:
one: "¡Algo no está bien! Por favor, revisa el error"
@@ -1249,17 +1356,6 @@ es-MX:
subject: "%{name} envió un informe"
sign_up:
subject: "%{name} se registró"
- digest:
- action: Ver todas las notificaciones
- body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
- mention: "%{name} te ha mencionado en:"
- new_followers_summary:
- one: "¡Ademas, has adquirido un nuevo seguidor mientras no estabas! ¡Hurra!"
- other: "¡Ademas, has adquirido %{count} nuevos seguidores mientras no estabas! ¡Genial!"
- subject:
- one: "1 nueva notificación desde tu última visita 🐘"
- other: "%{count} nuevas notificaciones desde tu última visita 🐘"
- title: En tu ausencia…
favourite:
body: 'Tu estado fue marcado como favorito por %{name}:'
subject: "%{name} marcó como favorito tu estado"
@@ -1589,7 +1685,7 @@ es-MX:
Si decidimos cambiar nuestra política de privacidad, publicaremos esos cambios en esta página.
Este documento es CC-BY-SA. Fue actualizado por última vez el 26 de mayo de 2022.
- title: Términos del Servicio y Políticas de Privacidad de %{instance}
+ title: Política de Privacidad de %{instance}
themes:
contrast: Alto contraste
default: Mastodon
@@ -1632,7 +1728,7 @@ es-MX:
change_password: cambies tu contraseña
details: 'Aquí están los detalles del inicio de sesión:'
explanation: Hemos detectado un inicio de sesión en tu cuenta desde una nueva dirección IP.
- further_actions_html: Si fuiste tú, te recomendamos que %{action} inmediatamente y habilites la autenticación de dos factores para mantener tu cuenta segura.
+ further_actions_html: Si no fuiste tú, te recomendamos que %{action} inmediatamente y habilites la autenticación de dos factores para mantener tu cuenta segura.
subject: Tu cuenta ha sido accedida desde una nueva dirección IP
title: Un nuevo inicio de sesión
warning:
diff --git a/config/locales/es.yml b/config/locales/es.yml
index 568ad46d9..874f0cc49 100644
--- a/config/locales/es.yml
+++ b/config/locales/es.yml
@@ -28,7 +28,7 @@ es:
learn_more: Aprende más
logged_in_as_html: Actualmente has iniciado sesión como %{username}.
logout_before_registering: Ya has iniciado sesión.
- privacy_policy: Política de privacidad
+ privacy_policy: Política de Privacidad
rules: Normas del servidor
rules_html: 'A continuación hay un resumen de las normas que debes seguir si quieres tener una cuenta en este servidor de Mastodon:'
see_whats_happening: Ver lo que está pasando
@@ -39,7 +39,6 @@ es:
other: estados
status_count_before: Qué han escrito
tagline: Red social descentralizada
- terms: Condiciones de servicio
unavailable_content: Contenido no disponible
unavailable_content_description:
domain: Servidor
@@ -235,17 +234,21 @@ es:
approve_user: Aprobar Usuario
assigned_to_self_report: Asignar Reporte
change_email_user: Cambiar Correo Electrónico del Usuario
+ change_role_user: Cambiar Rol de Usuario
confirm_user: Confirmar Usuario
create_account_warning: Crear Advertencia
create_announcement: Crear Anuncio
+ create_canonical_email_block: Crear Bloqueo de Correo Electrónico
create_custom_emoji: Crear Emoji Personalizado
create_domain_allow: Crear Permiso de Dominio
create_domain_block: Crear Bloqueo de Dominio
create_email_domain_block: Crear Bloqueo de Dominio de Correo Electrónico
create_ip_block: Crear regla IP
create_unavailable_domain: Crear Dominio No Disponible
+ create_user_role: Crear Rol
demote_user: Degradar Usuario
destroy_announcement: Eliminar Anuncio
+ destroy_canonical_email_block: Eliminar Bloqueo de Correo Electrónico
destroy_custom_emoji: Eliminar Emoji Personalizado
destroy_domain_allow: Eliminar Permiso de Dominio
destroy_domain_block: Eliminar Bloqueo de Dominio
@@ -254,6 +257,7 @@ es:
destroy_ip_block: Eliminar regla IP
destroy_status: Eliminar Estado
destroy_unavailable_domain: Eliminar Dominio No Disponible
+ destroy_user_role: Destruir Rol
disable_2fa_user: Deshabilitar 2FA
disable_custom_emoji: Deshabilitar Emoji Personalizado
disable_sign_in_token_auth_user: Deshabilitar la Autenticación por Token de Correo Electrónico para el Usuario
@@ -280,24 +284,30 @@ es:
update_announcement: Actualizar Anuncio
update_custom_emoji: Actualizar Emoji Personalizado
update_domain_block: Actualizar el Bloqueo de Dominio
+ update_ip_block: Actualizar regla IP
update_status: Actualizar Estado
+ update_user_role: Actualizar Rol
actions:
approve_appeal_html: "%{name} aprobó la solicitud de moderación de %{target}"
approve_user_html: "%{name} aprobó el registro de %{target}"
assigned_to_self_report_html: "%{name} asignó el informe %{target} a sí mismo"
change_email_user_html: "%{name} cambió la dirección de correo electrónico del usuario %{target}"
+ change_role_user_html: "%{name} cambió el rol de %{target}"
confirm_user_html: "%{name} confirmó la dirección de correo electrónico del usuario %{target}"
create_account_warning_html: "%{name} envió una advertencia a %{target}"
create_announcement_html: "%{name} ha creado un nuevo anuncio %{target}"
+ create_canonical_email_block_html: "%{name} bloqueó el correo electrónico con el hash %{target}"
create_custom_emoji_html: "%{name} subió un nuevo emoji %{target}"
create_domain_allow_html: "%{name} permitió la federación con el dominio %{target}"
create_domain_block_html: "%{name} bloqueó el dominio %{target}"
create_email_domain_block_html: "%{name} bloqueó el dominio de correo electrónico %{target}"
create_ip_block_html: "%{name} creó una regla para la IP %{target}"
create_unavailable_domain_html: "%{name} detuvo las entregas al dominio %{target}"
+ create_user_role_html: "%{name} creó el rol %{target}"
demote_user_html: "%{name} degradó al usuario %{target}"
destroy_announcement_html: "%{name} eliminó el anuncio %{target}"
- destroy_custom_emoji_html: "%{name} destruyó emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} desbloqueó el correo electrónico con el hash %{target}"
+ destroy_custom_emoji_html: "%{name} eliminó el emoji %{target}"
destroy_domain_allow_html: "%{name} bloqueó la federación con el dominio %{target}"
destroy_domain_block_html: "%{name} desbloqueó el dominio %{target}"
destroy_email_domain_block_html: "%{name} desbloqueó el dominio de correo electrónico %{target}"
@@ -305,6 +315,7 @@ es:
destroy_ip_block_html: "%{name} eliminó una regla para la IP %{target}"
destroy_status_html: "%{name} eliminó el estado por %{target}"
destroy_unavailable_domain_html: "%{name} reanudó las entregas al dominio %{target}"
+ destroy_user_role_html: "%{name} eliminó el rol %{target}"
disable_2fa_user_html: "%{name} desactivó el requisito de dos factores para el usuario %{target}"
disable_custom_emoji_html: "%{name} desactivó el emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} ha deshabilitado la autenticación por token de correo electrónico para %{target}"
@@ -331,8 +342,9 @@ es:
update_announcement_html: "%{name} actualizó el anuncio %{target}"
update_custom_emoji_html: "%{name} actualizó el emoji %{target}"
update_domain_block_html: "%{name} actualizó el bloqueo de dominio para %{target}"
+ update_ip_block_html: "%{name} cambió la regla para la IP %{target}"
update_status_html: "%{name} actualizó el estado de %{target}"
- deleted_status: "(estado borrado)"
+ update_user_role_html: "%{name} cambió el rol %{target}"
empty: No se encontraron registros.
filter_by_action: Filtrar por acción
filter_by_user: Filtrar por usuario
@@ -784,8 +796,8 @@ es:
desc_html: Mostrado en la barra lateral y las etiquetas de metadatos. Describe lo que es Mastodon y qué hace especial a este servidor en un solo párrafo. si está vacío, pone por defecto la descripción de la instancia.
title: Descripción corta de la instancia
site_terms:
- desc_html: Puedes escribir tus propias políticas de privacidad, términos de servicio u otras legalidades. Puedes usar tags HTML
- title: Términos de servicio personalizados
+ desc_html: Puedes escribir tu propia política de privacidad. Puedes usar etiquetas HTML
+ title: Política de privacidad personalizada
site_title: Nombre de instancia
thumbnail:
desc_html: Se usa para muestras con OpenGraph y APIs. Se recomienda 1200x630px
@@ -795,8 +807,8 @@ es:
title: Previsualización
title: Ajustes del sitio
trendable_by_default:
- desc_html: Afecta a etiquetas que no han sido previamente rechazadas
- title: Permitir que las etiquetas sean tendencia sin revisión previa
+ desc_html: El contenido específico de tendencias todavía puede ser explícitamente desactivado
+ title: Permitir tendencias sin revisión previa
trends:
desc_html: Mostrar públicamente hashtags previamente revisados que son tendencia
title: Hashtags de tendencia
@@ -1181,6 +1193,8 @@ es:
edit:
add_keyword: Añadir palabra clave
keywords: Palabras clave
+ statuses: Publicaciones individuales
+ statuses_hint_html: Este filtro se aplica a la selección de publicaciones individuales independientemente de si coinciden con las palabras clave a continuación. Revise o elimine publicaciones del filtro.
title: Editar filtro
errors:
deprecated_api_multiple_keywords: Estos parámetros no se pueden cambiar desde esta aplicación porque se aplican a más de una palabra clave de filtro. Utilice una aplicación más reciente o la interfaz web.
@@ -1194,10 +1208,23 @@ es:
keywords:
one: "%{count} palabra clave"
other: "%{count} palabras clave"
+ statuses:
+ one: "%{count} publicación"
+ other: "%{count} publicaciones"
+ statuses_long:
+ one: "%{count} publicación individual oculta"
+ other: "%{count} publicaciones individuales ocultas"
title: Filtros
new:
save: Guardar nuevo filtro
title: Añadir nuevo filtro
+ statuses:
+ back_to_filter: Volver a filtrar
+ batch:
+ remove: Eliminar del filtro
+ index:
+ hint: Este filtro se aplica a la selección de publicaciones individuales independientemente de otros criterios. Puede añadir más publicaciones a este filtro desde la interfaz web.
+ title: Publicaciones filtradas
footer:
developers: Desarrolladores
more: Mas…
@@ -1205,12 +1232,22 @@ es:
trending_now: Tendencia ahora
generic:
all: Todos
+ all_items_on_page_selected_html:
+ one: "%{count} elemento en esta página está seleccionado."
+ other: Todos los %{count} elementos en esta página están seleccionados.
+ all_matching_items_selected_html:
+ one: "%{count} elemento que coincide con su búsqueda está seleccionado."
+ other: Todos los %{count} elementos que coinciden con su búsqueda están seleccionados.
changes_saved_msg: "¡Cambios guardados con éxito!"
copy: Copiar
delete: Eliminar
+ deselect: Deseleccionar todo
none: Nada
order_by: Ordenar por
save_changes: Guardar cambios
+ select_all_matching_items:
+ one: Seleccionar %{count} elemento que coincide con tu búsqueda.
+ other: Seleccionar todos los %{count} elementos que coinciden con tu búsqueda.
today: hoy
validation_errors:
one: "¡Algo no está bien! Por favor, revisa el error"
@@ -1319,17 +1356,6 @@ es:
subject: "%{name} envió un informe"
sign_up:
subject: "%{name} se registró"
- digest:
- action: Ver todas las notificaciones
- body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
- mention: "%{name} te ha mencionado en:"
- new_followers_summary:
- one: "¡Ademas, has adquirido un nuevo seguidor mientras no estabas! ¡Hurra!"
- other: "¡Ademas, has adquirido %{count} nuevos seguidores mientras no estabas! ¡Genial!"
- subject:
- one: "1 nueva notificación desde tu última visita 🐘"
- other: "%{count} nuevas notificaciones desde tu última visita 🐘"
- title: En tu ausencia…
favourite:
body: 'Tu estado fue marcado como favorito por %{name}:'
subject: "%{name} marcó como favorito tu estado"
@@ -1659,7 +1685,7 @@ es:
Si decidimos cambiar nuestra política de privacidad, publicaremos esos cambios en esta página.
Este documento es CC-BY-SA. Fue actualizado por última vez el 26 de mayo de 2022.
- title: Términos del Servicio y Políticas de Privacidad de %{instance}
+ title: Política de Privacidad de %{instance}
themes:
contrast: Alto contraste
default: Mastodon
@@ -1702,7 +1728,7 @@ es:
change_password: cambies tu contraseña
details: 'Aquí están los detalles del inicio de sesión:'
explanation: Hemos detectado un inicio de sesión en tu cuenta desde una nueva dirección IP.
- further_actions_html: Si fuiste tú, te recomendamos que %{action} inmediatamente y habilites la autenticación de dos factores para mantener tu cuenta segura.
+ further_actions_html: Si no fuiste tú, te recomendamos que %{action} inmediatamente y habilites la autenticación de dos factores para mantener tu cuenta segura.
subject: Tu cuenta ha sido accedida desde una nueva dirección IP
title: Un nuevo inicio de sesión
warning:
diff --git a/config/locales/et.yml b/config/locales/et.yml
index 6aab7a219..f6df72ee0 100644
--- a/config/locales/et.yml
+++ b/config/locales/et.yml
@@ -25,7 +25,6 @@ et:
See konto on virtuaalne näitleja, mis esindab tervet serverit ning mitte ühtegi kindlat isikut.
Seda kasutatakse föderatiivsetel põhjustel ning seda ei tohiks blokeerida, välja arvatud juhul, kui soovite blokeerida tervet serverit, kuid sellel juhul soovitame hoopis kasutada domeeni blokeerimist.
learn_more: Lisateave
- privacy_policy: Privaatsuspoliitika
rules: Serveri reeglid
rules_html: 'Järgneb kokkuvõte reeglitest, mida pead järgima, kui lood endale siin Mastodoni serveris konto:'
see_whats_happening: Vaata, mis toimub
@@ -35,7 +34,6 @@ et:
one: postitust
other: staatuseid
status_count_before: Kes on avaldanud
- terms: Kasutustingimused
unavailable_content: Sisu pole saadaval
unavailable_content_description:
reason: Põhjus
@@ -215,7 +213,6 @@ et:
update_announcement: Uuenda teadaannet
update_custom_emoji: Uuendas kohandatud emotikoni
update_status: Uuendas staatust
- deleted_status: "(kustutatud staatus)"
empty: Logisi ei leitud.
filter_by_action: Filtreeri tegevuse järgi
filter_by_user: Filtreeri kasutaja järgi
@@ -452,9 +449,6 @@ et:
site_short_description:
desc_html: Kuvatud küljeribal ja metasiltides. Kirjelda, mis on Mastodon ja mis on selles serveris erilist ühes lõigus.
title: Serveri lühikirjeldus
- site_terms:
- desc_html: Te saate kirjutada oma privaatsuspoliitika, kasutustingimused jm seaduslikku infot. Te saate kasutada HTMLi silte
- title: Kasutustingimused
site_title: Serveri nimi
thumbnail:
desc_html: Kasutatud OpenGraph ja API eelvaadeteks. 1200x630px soovitatud
@@ -463,9 +457,6 @@ et:
desc_html: Kuva avalikku ajajoont esilehel
title: Ajajoone eelvaade
title: Lehe seaded
- trendable_by_default:
- desc_html: Puudutab silte, mis pole varem keelatud
- title: Luba siltide trendimine ilma eelneva ülevaatuseta
trends:
desc_html: Kuva avalikult eelnevalt üle vaadatud sildid, mis on praegu trendikad
title: Populaarsed sildid praegu
@@ -770,14 +761,6 @@ et:
moderation:
title: Moderatsioon
notification_mailer:
- digest:
- action: Vaata kõiki teateid
- body: Siin on kiire ülevaade sellest, mis sõnumeid Te ei näinud pärast Teie viimast külastust %{since}
- mention: "%{name} mainis Teid postituses:"
- new_followers_summary:
- one: Ja veel, Te saite ühe uue jälgija kui Te olite eemal! Jee!
- other: Ja veel, Te saite %{count} uut jälgijat kui Te olite eemal! Hämmastav!
- title: Teie puudumisel...
favourite:
body: "%{name} lisas Teie staatuse lemmikutesse:"
subject: "%{name} märkis su staatuse lemmikuks"
@@ -950,8 +933,6 @@ et:
sensitive_content: Tundlik sisu
tags:
does_not_match_previous_name: ei ühti eelmise nimega
- terms:
- title: "%{instance} Kasutustingimused ja Privaatsuspoliitika"
themes:
contrast: Mastodon (Kõrge kontrast)
default: Mastodon (Tume)
diff --git a/config/locales/eu.yml b/config/locales/eu.yml
index 3202b9b9c..9d783724c 100644
--- a/config/locales/eu.yml
+++ b/config/locales/eu.yml
@@ -26,7 +26,6 @@ eu:
learn_more: Ikasi gehiago
logged_in_as_html: "%{username} bezala saioa hasita zaude."
logout_before_registering: Saioa hasi duzu jada.
- privacy_policy: Pribatutasun politika
rules: Zerbitzariaren arauak
rules_html: 'Behean Mastodon zerbitzari honetan kontua eduki nahi baduzu jarraitu beharreko arauen laburpena daukazu:'
see_whats_happening: Ikusi zer gertatzen ari den
@@ -36,7 +35,6 @@ eu:
one: bidalketa
other: bidalketa
status_count_before: Hauek
- terms: Erabilera baldintzak
unavailable_content: Eduki eskuraezina
unavailable_content_description:
domain: Zerbitzaria
@@ -285,7 +283,6 @@ eu:
create_unavailable_domain_html: "%{name}(e)k %{target} domeinurako banaketa gelditu du"
demote_user_html: "%{name} erabiltzaileak %{target} erabiltzailea mailaz jaitsi du"
destroy_announcement_html: "%{name} erabiltzaileak %{target} iragarpena ezabatu du"
- destroy_custom_emoji_html: "%{name} erabiltzaileak %{target} emojia suntsitu du"
destroy_domain_allow_html: "%{name} erabiltzaileak %{target} domeinuarekin federatzea debekatu du"
destroy_domain_block_html: "%{name} erabiltzaileak %{target} domeinua desblokeatu du"
destroy_email_domain_block_html: "%{name} erabiltzaileak %{target} e-posta helbideen domeinua desblokeatu du"
@@ -320,7 +317,6 @@ eu:
update_custom_emoji_html: "%{name} erabiltzaileak %{target} emoji-a eguneratu du"
update_domain_block_html: "%{name} erabiltzaileak %{target} domeinu-blokeoa eguneratu du"
update_status_html: "%{name} erabiltzaileak %{target} erabiltzailearen bidalketa eguneratu du"
- deleted_status: "(ezabatutako bidalketa)"
empty: Ez da egunkaririk aurkitu.
filter_by_action: Iragazi ekintzen arabera
filter_by_user: Iragazi erabiltzaileen arabera
@@ -686,9 +682,6 @@ eu:
site_short_description:
desc_html: Albo-barra eta meta etiketetan bistaratua. Deskribatu zerk egiten duen Mastodon zerbitzari hau berezia paragrafo batean. Hutsik lagatzekotan lehenetsitako deskripzioa agertuko da.
title: Zerbitzariaren deskripzio laburra
- site_terms:
- desc_html: Zure pribatutasun politika, erabilera baldintzak eta bestelako testu legalak idatzi ditzakezu. HTML etiketak erabili ditzakezu
- title: Erabilera baldintza pertsonalizatuak
site_title: Zerbitzariaren izena
thumbnail:
desc_html: Aurrebistetarako erabilia OpenGraph eta API bidez. 1200x630px aholkatzen da
@@ -697,9 +690,6 @@ eu:
desc_html: Bistaratu denbora-lerro publikoa hasiera orrian
title: Denbora-lerroaren aurrebista
title: Gunearen ezarpenak
- trendable_by_default:
- desc_html: Aurretik debekatu ez diren traola guztiei eragiten dio
- title: Baimendu traolak joera bihurtzea aurretik errebisatu gabe
trends:
desc_html: Erakutsi publikoki orain joeran dauden aurretik errebisatutako traolak
title: Traolak joeran
@@ -1127,14 +1117,6 @@ eu:
carry_mutes_over_text: Erabiltzaile hau %{acct} kontutik dator, zeina isilarazita daukazun.
copy_account_note_text: 'Erabiltzaile hau %{acct} kontutik dator, hemen berari buruzko zure aurreko oharrak:'
notification_mailer:
- digest:
- action: Ikusi jakinarazpen guztiak
- body: Hona zure %{since}(e)ko azken bisitatik galdu dituzun mezuen laburpen bat
- mention: "%{name}(e)k aipatu zaitu:"
- new_followers_summary:
- one: Kanpoan zeundela jarraitzaile berri bat gehitu zaizu!
- other: Kanpoan zeundela %{count} jarraitzaile berri bat gehitu zaizkizu!
- title: Kanpoan zeundela...
favourite:
body: "%{name}(e)k zure bidalketa gogoko du:"
subject: "%{name}(e)k zure bidalketa gogoko du"
@@ -1398,8 +1380,6 @@ eu:
sensitive_content: 'Kontuz: Eduki hunkigarria'
tags:
does_not_match_previous_name: ez dator aurreko izenarekin bat
- terms:
- title: "%{instance} instantziaren erabilera baldintzak eta pribatutasun politika"
themes:
contrast: Mastodon (Kontraste altua)
default: Mastodon (Iluna)
diff --git a/config/locales/fa.yml b/config/locales/fa.yml
index d6acaf534..39424f3d6 100644
--- a/config/locales/fa.yml
+++ b/config/locales/fa.yml
@@ -28,7 +28,6 @@ fa:
learn_more: بیشتر بدانید
logged_in_as_html: شما هماکنون به عنوان %{username} وارد شدهاید.
logout_before_registering: شما هماکنون وارد شدهاید.
- privacy_policy: سیاست رازداری
rules: قوانین کارساز
rules_html: 'در زیر خلاصهای از قوانینی که در صورت علاقه به داشتن حسابی روی این کارساز ماستودون، باید رعایت کنید آمده است:'
see_whats_happening: ببینید چه خبر است
@@ -38,7 +37,6 @@ fa:
one: چیز نوشتهاند
other: چیز نوشتهاند
status_count_before: که در کنار هم
- terms: شرایط خدمت
unavailable_content: محتوای ناموجود
unavailable_content_description:
domain: کارساز
@@ -284,7 +282,6 @@ fa:
create_unavailable_domain_html: "%{name} تحویل محتوا به دامنه %{target} را متوقف کرد"
demote_user_html: "%{name} کاربر %{target} را تنزل داد"
destroy_announcement_html: "%{name} اعلامیهٔ %{target} را حذف کرد"
- destroy_custom_emoji_html: "%{name} اموجی %{target} را نابود کرد"
destroy_domain_allow_html: "%{name} دامنهٔ %{target} را از فهرست مجاز برداشت"
destroy_domain_block_html: "%{name} انسداد دامنهٔ %{target} را رفع کرد"
destroy_email_domain_block_html: "%{name} انسداد دامنهٔ رایانامهٔ %{target} را برداشت"
@@ -319,7 +316,6 @@ fa:
update_custom_emoji_html: "%{name} شکلک %{target} را بهروز کرد"
update_domain_block_html: "%{name} مسدودسازی دامنه را برای %{target} بهروزرسانی کرد"
update_status_html: "%{name} نوشتهٔ %{target} را بهروز کرد"
- deleted_status: "(نوشتهٔ پاکشده)"
empty: هیچ گزارشی پیدا نشد.
filter_by_action: پالایش بر اساس کنش
filter_by_user: پالایش بر اساس کاربر
@@ -666,9 +662,6 @@ fa:
site_short_description:
desc_html: روی نوار کناری و همچنین به عنوان فرادادهٔ صفحهها نمایش مییابد. در یک بند توضیح دهید که ماستودون چیست و چرا این کارساز با بقیه فرق دارد.
title: توضیح کوتاه دربارهٔ سرور
- site_terms:
- desc_html: میتوانید سیاست رازداری، شرایط استفاده، یا سایر مسائل قانونی را به دلخواه خود بنویسید. تگهای HTML هم مجاز است
- title: شرایط استفادهٔ سفارشی
site_title: نام سرور
thumbnail:
desc_html: برای دیدن با OpenGraph و رابط برنامهنویسی. وضوح پیشنهادی ۱۲۰۰×۶۳۰ پیکسل
@@ -677,9 +670,6 @@ fa:
desc_html: نوشتههای عمومی این سرور را در صفحهٔ آغازین نشان دهید
title: پیشنمایش نوشتهها
title: تنظیمات سایت
- trendable_by_default:
- desc_html: روی برچسبهایی که پیش از این ممنوع نشدهاند تأثیر میگذارد
- title: بگذارید که برچسبهای پرطرفدار بدون بازبینی قبلی نمایش داده شوند
trends:
desc_html: برچسبهای عمومی که پیشتر بازبینی شدهاند و هماینک پرطرفدارند
title: پرطرفدارها
@@ -1093,14 +1083,6 @@ fa:
admin:
sign_up:
subject: "%{name} ثبت نام کرد"
- digest:
- action: دیدن تمامی آگاهیها
- body: خلاصهای از پیغامهایی که از زمان آخرین بازدید شما در %{since} فرستاده شد
- mention: "%{name} اینجا از شما نام برد:"
- new_followers_summary:
- one: در ضمن، وقتی که نبودید یک پیگیر تازه پیدا کردید! ای ول!
- other: در ضمن، وقتی که نبودید %{count} پیگیر تازه پیدا کردید! چه عالی!
- title: در مدتی که نبودید...
favourite:
body: "%{name} این نوشتهٔ شما را پسندید:"
subject: "%{name} نوشتهٔ شما را پسندید"
@@ -1365,8 +1347,6 @@ fa:
sensitive_content: محتوای حساس
tags:
does_not_match_previous_name: با نام پیشین مطابق نیست
- terms:
- title: شرایط استفاده و سیاست رازداری %{instance}
themes:
contrast: ماستودون (سایهروشن بالا)
default: ماستودون (تیره)
diff --git a/config/locales/fi.yml b/config/locales/fi.yml
index bbc44d644..1416c1250 100644
--- a/config/locales/fi.yml
+++ b/config/locales/fi.yml
@@ -28,7 +28,6 @@ fi:
learn_more: Lisätietoja
logged_in_as_html: Olet kirjautunut sisään nimellä %{username}.
logout_before_registering: Olet jo kirjautunut sisään.
- privacy_policy: Tietosuojakäytäntö
rules: Palvelimen säännöt
rules_html: 'Alla on yhteenveto säännöistä, joita sinun on noudatettava, jos haluat olla tili tällä Mastodonin palvelimella:'
see_whats_happening: Näe mitä tapahtuu
@@ -38,7 +37,7 @@ fi:
one: julkaisun
other: julkaisua
status_count_before: Julkaistu
- terms: Käyttöehdot
+ tagline: Hajautettu sosiaalinen verkosto
unavailable_content: Moderoidut palvelimet
unavailable_content_description:
domain: Palvelin
@@ -102,11 +101,17 @@ fi:
avatar: Profiilikuva
by_domain: Verkkotunnus
change_email:
+ changed_msg: Sähköpostin vaihto onnistui!
current_email: Nykyinen sähköposti
label: Vaihda sähköposti
new_email: Uusi sähköposti
submit: Vaihda sähköposti
title: Vaihda sähköposti käyttäjälle %{username}
+ change_role:
+ changed_msg: Rooli vaihdettu onnistuneesti!
+ label: Vaihda roolia
+ no_role: Ei roolia
+ title: Vaihda roolia käyttäjälle %{username}
confirm: Vahvista
confirmed: Vahvistettu
confirming: Vahvistetaan
@@ -150,6 +155,7 @@ fi:
active: Aktiivinen
all: Kaikki
pending: Odottavat
+ silenced: Rajoitettu
suspended: Jäähyllä
title: Moderointi
moderation_notes: Moderointimerkinnät
@@ -157,10 +163,14 @@ fi:
most_recent_ip: Viimeisin IP
no_account_selected: Yhtään tiliä ei muutettu, koska mitään ei valittu
no_limits_imposed: Rajoituksia ei ole asetettu
+ no_role_assigned: Roolia ei ole määritetty
not_subscribed: Ei tilaaja
pending: Odottaa tarkistusta
perform_full_suspension: Siirrä kokonaan jäähylle
previous_strikes: Aiemmat varoitukset
+ previous_strikes_description_html:
+ one: Tällä tilillä on yksi varoitus.
+ other: Tällä tilillä on %{count} varoitusta.
promote: Ylennä
protocol: Protokolla
public: Julkinen
@@ -180,6 +190,7 @@ fi:
reset: Palauta
reset_password: Palauta salasana
resubscribe: Tilaa uudelleen
+ role: Rooli
search: Hae
search_same_email_domain: Muut käyttäjät, joilla on sama sähköpostiverkkotunnus
search_same_ip: Muut käyttäjät samalla IP-osoitteella
@@ -222,6 +233,7 @@ fi:
approve_user: Hyväksy käyttäjä
assigned_to_self_report: Määritä raportti
change_email_user: Vaihda sähköposti käyttäjälle
+ change_role_user: Muuta käyttäjän roolia
confirm_user: Vahvista käyttäjä
create_account_warning: Luo varoitus
create_announcement: Luo ilmoitus
@@ -231,6 +243,7 @@ fi:
create_email_domain_block: Estä sähköpostipalvelin
create_ip_block: Luo IP-sääntö
create_unavailable_domain: Luo ei-saatavilla oleva verkkotunnus
+ create_user_role: Luo rooli
demote_user: Alenna käyttäjä
destroy_announcement: Poista ilmoitus
destroy_custom_emoji: Poista mukautettu emoji
@@ -241,6 +254,7 @@ fi:
destroy_ip_block: Poista IP-sääntö
destroy_status: Poista julkaisu
destroy_unavailable_domain: Poista ei-saatavilla oleva verkkotunnus
+ destroy_user_role: Hävitä rooli
disable_2fa_user: Poista kaksivaiheinen tunnistautuminen käytöstä
disable_custom_emoji: Estä mukautettu emoji
disable_sign_in_token_auth_user: Estä käyttäjältä sähköpostitunnuksen todennus
@@ -268,11 +282,13 @@ fi:
update_custom_emoji: Päivitä muokattu emoji
update_domain_block: Päivitä verkkotunnuksen esto
update_status: Päivitä viesti
+ update_user_role: Päivitä rooli
actions:
approve_appeal_html: "%{name} hyväksyi moderointipäätöksen muutoksenhaun lähettäjältä %{target}"
approve_user_html: "%{name} hyväksyi käyttäjän rekisteröitymisen kohteesta %{target}"
assigned_to_self_report_html: "%{name} otti raportin %{target} tehtäväkseen"
change_email_user_html: "%{name} vaihtoi käyttäjän %{target} sähköpostiosoitteen"
+ change_role_user_html: "%{name} muutti roolia %{target}"
confirm_user_html: "%{name} vahvisti käyttäjän %{target} sähköpostiosoitteen"
create_account_warning_html: "%{name} lähetti varoituksen henkilölle %{target}"
create_announcement_html: "%{name} loi uuden ilmoituksen %{target}"
@@ -282,6 +298,7 @@ fi:
create_email_domain_block_html: "%{name} esti sähköpostin %{target}"
create_ip_block_html: "%{name} luonut IP-säännön %{target}"
create_unavailable_domain_html: "%{name} pysäytti toimituksen verkkotunnukseen %{target}"
+ create_user_role_html: "%{name} luonut %{target} roolin"
demote_user_html: "%{name} alensi käyttäjän %{target}"
destroy_announcement_html: "%{name} poisti ilmoituksen %{target}"
destroy_custom_emoji_html: "%{name} poisti emojin %{target}"
@@ -292,6 +309,7 @@ fi:
destroy_ip_block_html: "%{name} poisti IP-säännön %{target}"
destroy_status_html: "%{name} poisti viestin %{target}"
destroy_unavailable_domain_html: "%{name} jatkoi toimitusta verkkotunnukseen %{target}"
+ destroy_user_role_html: "%{name} poisti %{target} roolin"
disable_2fa_user_html: "%{name} poisti käyttäjältä %{target} vaatimuksen kaksivaiheisen todentamiseen"
disable_custom_emoji_html: "%{name} poisti emojin %{target}"
disable_sign_in_token_auth_user_html: "%{name} poisti sähköpostitunnuksen %{target} todennuksen käytöstä"
@@ -319,7 +337,7 @@ fi:
update_custom_emoji_html: "%{name} päivitti emojin %{target}"
update_domain_block_html: "%{name} päivitti verkkotunnuksen %{target}"
update_status_html: "%{name} päivitti viestin %{target}"
- deleted_status: "(poistettu julkaisu)"
+ update_user_role_html: "%{name} muutti roolia %{target}"
empty: Lokeja ei löytynyt.
filter_by_action: Suodata tapahtuman mukaan
filter_by_user: Suodata käyttäjän mukaan
@@ -358,6 +376,7 @@ fi:
enable: Ota käyttöön
enabled: Käytössä
enabled_msg: Emojin käyttöönotto onnistui
+ image_hint: PNG tai GIF enintään %{size}
list: Listaa
listed: Listassa
new:
@@ -414,6 +433,7 @@ fi:
destroyed_msg: Verkkotunnuksen esto on peruttu
domain: Verkkotunnus
edit: Muokkaa verkkotunnuksen estoa
+ existing_domain_block: Olet jo asettanut tiukemmat rajoitukset %{name}.
existing_domain_block_html: Olet jo asettanut %{name} tiukemmat rajat ja sinun täytyy poistaa se ensin.
new:
create: Luo esto
@@ -464,14 +484,46 @@ fi:
title: Noudata suosituksia
unsuppress: Palauta seuraa suositus
instances:
+ availability:
+ description_html:
+ one: Jos toimitus verkkotunnukseen epäonnistuu %{count} päivä ilman onnistumista, uusia yrityksiä ei tehdä ennen kuin toimitus alkaen verkkotunnukselta on vastaanotettu.
+ other: Jos toimitus verkkotunnukselle, epäonnistuu %{count} eri päivänä ilman onnistumista, uusia yrityksiä ei tehdä ennen kuin toimitus alkaen verkkotunnuselta on vastaanotettu.
+ failure_threshold_reached: Epäonnistumisen kynnys saavutettu %{date}.
+ failures_recorded:
+ one: Epäonnistuneita yrityksiä %{count} päivässä.
+ other: Epäonnistuneita yrityksiä %{count} päivää.
+ no_failures_recorded: Ei epäonnistumisia kirjattu.
+ title: Saatavuus
+ warning: Viimeisin yritys yhdistää yhteys tähän palvelimeen on epäonnistunut
back_to_all: Kaikki
back_to_limited: Rajoitettu
back_to_warning: Varoitus
by_domain: Verkkotunnus
confirm_purge: Oletko varma, että haluat pysyvästi poistaa tiedot tältä verkkotunnukselta?
+ content_policies:
+ comment: Sisäinen huomautus
+ description_html: Voit määrittää sisältökäytännöt, joita sovelletaan kaikkiin tämän verkkotunnuksen ja sen aliverkkotunnuksien tileihin.
+ policies:
+ reject_media: Hylkää media
+ reject_reports: Hylkää raportit
+ silence: Rajoitus
+ suspend: Jäädytä
+ policy: Käytännöt
+ reason: Julkinen syy
+ title: Sisällön toimintatavat
+ dashboard:
+ instance_accounts_dimension: Seuratuimmat tilit
+ instance_accounts_measure: tallennetut tilit
+ instance_followers_measure: seuraajamme siellä
+ instance_follows_measure: heidän seuraajansa täällä
+ instance_languages_dimension: Suosituimmat kielet
+ instance_media_attachments_measure: tallennetut median liitteet
+ instance_reports_measure: niitä koskevat raportit
+ instance_statuses_measure: tallennetut viestit
delivery:
all: Kaikki
clear: Tyhjennä toimitusvirheet
+ failing: Epäonnistuminen
restart: Käynnistä toimitus uudelleen
stop: Lopeta toimitus
unavailable: Ei saatavilla
@@ -480,6 +532,9 @@ fi:
delivery_error_hint: Jos toimitus ei ole mahdollista %{count} päivän aikana, se merkitään automaattisesti toimittamattomaksi.
destroyed_msg: Tiedot %{domain} on nyt jonossa välitöntä poistoa varten.
empty: Verkkotunnuksia ei löytynyt.
+ known_accounts:
+ one: "%{count} tunnettu tili"
+ other: "%{count} tunnettua tiliä"
moderation:
all: Kaikki
limited: Rajoitettu
@@ -487,12 +542,14 @@ fi:
private_comment: Yksityinen kommentti
public_comment: Julkinen kommentti
purge: Tyhjennä
+ purge_description_html: Jos uskot tämän verkkotunnuksen olevan offline-tilassa, voit poistaa kaikki tilitietueet ja niihin liittyvät tiedot sinun tallennustilasta. Tämä voi kestää jonkin aikaa.
title: Tiedossa olevat instanssit
total_blocked_by_us: Estetty meidän toimesta
total_followed_by_them: Heidän seuraama
total_followed_by_us: Meidän seuraama
total_reported: Niitä koskevat raportit
total_storage: Medialiitteet
+ totals_time_period_hint_html: Alla näkyvät yhteenlasketut tiedot sisältävät koko ajan.
invites:
deactivate_all: Poista kaikki käytöstä
filter:
@@ -547,6 +604,7 @@ fi:
action_taken_by: Toimenpiteen tekijä
actions:
delete_description_html: Ilmoitetut viestit poistetaan ja kirjataan varoitus, joka auttaa sinua saman tilin tulevista rikkomuksista.
+ mark_as_sensitive_description_html: Ilmoitettujen viestien media merkitään arkaluonteisiksi ja varoitus tallennetaan, jotta voit kärjistää saman tilin tulevia rikkomuksia.
other_description_html: Katso lisää vaihtoehtoja tilin käytöksen hallitsemiseksi ja ilmoitetun tilin viestinnän mukauttamiseksi.
resolve_description_html: Ilmoitettua tiliä vastaan ei ryhdytä toimenpiteisiin, varoitusta ei kirjata ja raportti suljetaan.
silence_description_html: Profiili näkyy vain niille, jotka jo seuraavat sitä tai etsivät sen manuaalisesti, mikä rajoittaa merkittävästi kattavuutta. Se voidaan aina palauttaa.
@@ -596,6 +654,67 @@ fi:
unresolved: Ratkaisemattomat
updated_at: Päivitetty
view_profile: Näytä profiili
+ roles:
+ add_new: Lisää rooli
+ assigned_users:
+ one: "%{count} käyttäjä"
+ other: "%{count} käyttäjää"
+ categories:
+ administration: Ylläpito
+ devops: Operaattorit
+ invites: Kutsut
+ moderation: Moderointi
+ special: Erikois
+ delete: Poista
+ description_html: Käyttäjän roolit, voit muokata toimintoja ja alueita mitä sinun Mastodon käyttäjät voivat käyttää.
+ edit: Muokkaa "%{name}" roolia
+ everyone: Oletus käyttöoikeudet
+ everyone_full_description_html: Tämä on perusrooli joka vaikuttaa kaikkiin käyttäjiin, jopa ilman määrättyä roolia. Kaikki muut roolit perivät sen käyttöoikeudet.
+ permissions_count:
+ one: "%{count} käyttöoikeus"
+ other: "%{count} käyttöoikeutta"
+ privileges:
+ administrator: Ylläpitäjä
+ administrator_description: Käyttäjät, joilla on tämä käyttöoikeus, ohittavat jokaisen käyttöoikeuden
+ delete_user_data: Poista käyttäjän tiedot
+ delete_user_data_description: Salli käyttäjien poistaa muiden käyttäjien tiedot viipymättä
+ invite_users: Kutsu käyttäjiä
+ invite_users_description: Sallii käyttäjien kutsua uusia ihmisiä palvelimelle
+ manage_announcements: Hallitse Ilmoituksia
+ manage_announcements_description: Salli käyttäjien hallita ilmoituksia palvelimella
+ manage_appeals: Hallitse valituksia
+ manage_appeals_description: Antaa käyttäjien tarkastella valvontatoimia koskevia valituksia
+ manage_blocks: Hallitse lohkoja
+ manage_blocks_description: Sallii käyttäjien estää sähköpostipalvelujen ja IP-osoitteiden käytön
+ manage_custom_emojis: Hallita mukautettuja hymiöitä
+ manage_custom_emojis_description: Salli käyttäjien hallita mukautettuja hymiöitä palvelimella
+ manage_federation: Hallita liitoksia
+ manage_federation_description: Sallii käyttäjien estää tai sallia liitoksen muiden verkkotunnusten kanssa ja hallita toimitusta
+ manage_invites: Hallita kutsuja
+ manage_invites_description: Sallii käyttäjien selata ja poistaa kutsulinkkejä käytöstä
+ manage_reports: Hallita raportteja
+ manage_reports_description: Sallii käyttäjien tarkastella raportteja ja suorittaa valvontatoimia niitä vastaan
+ manage_roles: Hallita rooleja
+ manage_roles_description: Sallii käyttäjien hallita ja määrittää rooleja heidän alapuolellaan
+ manage_rules: Hallita sääntöjä
+ manage_rules_description: Sallii käyttäjien vaihtaa palvelinsääntöjä
+ manage_settings: Hallita asetuksia
+ manage_settings_description: Salli käyttäjien muuttaa sivuston asetuksia
+ manage_taxonomies: Hallita luokittelua
+ manage_taxonomies_description: Sallii käyttäjien tarkistaa trendillisen sisällön ja päivittää hashtag-asetuksia
+ manage_user_access: Hallita käyttäjän oikeuksia
+ manage_user_access_description: Sallii käyttäjien poistaa käytöstä muiden käyttäjien kaksivaiheisen todennuksen, muuttaa heidän sähköpostiosoitettaan ja nollata heidän salasanansa
+ manage_users: Hallita käyttäjiä
+ manage_users_description: Sallii käyttäjien tarkastella muiden käyttäjien tietoja ja suorittaa valvontatoimia heitä vastaan
+ manage_webhooks: Hallita Webhookit
+ manage_webhooks_description: Sallii käyttäjien luoda webhookit hallinnollisiin tapahtumiin
+ view_audit_log: Katsoa valvontalokia
+ view_audit_log_description: Sallii käyttäjien nähdä palvelimen hallinnollisten toimien historian
+ view_dashboard: Näytä koontinäyttö
+ view_dashboard_description: Sallii käyttäjien käyttää kojelautaa ja erilaisia mittareita
+ view_devops: Operaattorit
+ view_devops_description: Sallii käyttäjille oikeuden käyttää Sidekiq ja pgHero dashboardeja
+ title: Roolit
rules:
add_new: Lisää sääntö
delete: Poista
@@ -669,9 +788,6 @@ fi:
site_short_description:
desc_html: Näytetään sivupalkissa ja kuvauksessa. Kerro yhdessä kappaleessa, mitä Mastodon on ja mikä tekee palvelimesta erityisen.
title: Lyhyt instanssin kuvaus
- site_terms:
- desc_html: Tähän voit kirjoittaa tietosuojakäytännöistä, käyttöehdoista ja sen sellaisista asioista. Voit käyttää HTML-tageja
- title: Omavalintaiset käyttöehdot
site_title: Instanssin nimi
thumbnail:
desc_html: Käytetään esikatseluissa OpenGraphin ja API:n kautta. Suosituskoko 1200x630 pikseliä
@@ -680,9 +796,6 @@ fi:
desc_html: Näytä julkinen aikajana aloitussivulla
title: Aikajanan esikatselu
title: Sivuston asetukset
- trendable_by_default:
- desc_html: Vaikuttaa hashtageihin, joita ei ole aiemmin poistettu käytöstä
- title: Salli hashtagit ilman tarkistusta ennakkoon
trends:
desc_html: Näytä julkisesti aiemmin tarkistetut hashtagit, jotka ovat tällä hetkellä saatavilla
title: Trendaavat aihetunnisteet
@@ -715,6 +828,11 @@ fi:
system_checks:
database_schema_check:
message_html: Tietokannan siirto on vireillä. Suorita ne varmistaaksesi, että sovellus toimii odotetulla tavalla
+ elasticsearch_running_check:
+ message_html: Ei saatu yhteyttä Elasticsearch. Tarkista, että se on käynnissä tai poista kokotekstihaku käytöstä
+ elasticsearch_version_check:
+ message_html: 'Yhteensopimaton Elasticsearch versio: %{value}'
+ version_comparison: Elasticsearch %{running_version} on käynnissä, kun %{required_version} vaaditaan
rules_check:
action: Hallinnoi palvelimen sääntöjä
message_html: Et ole määrittänyt mitään palvelimen sääntöä.
@@ -734,8 +852,12 @@ fi:
description_html: Nämä ovat linkkejä, joita jaetaan tällä hetkellä paljon tileillä, joilta palvelimesi näkee viestejä. Se voi auttaa käyttäjiäsi saamaan selville, mitä maailmassa tapahtuu. Linkkejä ei näytetä julkisesti, ennen kuin hyväksyt julkaisijan. Voit myös sallia tai hylätä yksittäiset linkit.
disallow: Hylkää linkki
disallow_provider: Estä julkaisija
+ shared_by_over_week:
+ one: Yksi henkilö jakanut viimeisen viikon aikana
+ other: Jakanut %{count} henkilöä viimeisen viikon aikana
title: Suositut linkit
usage_comparison: Jaettu %{today} kertaa tänään verrattuna eilen %{yesterday}
+ only_allowed: Vain sallittu
pending_review: Odottaa tarkistusta
preview_card_providers:
allowed: Tämän julkaisijan linkit voivat trendata
@@ -773,13 +895,37 @@ fi:
trending_rank: 'Nousussa #%{rank}'
usable: Voidaan käyttää
usage_comparison: Käytetty %{today} kertaa tänään, verrattuna %{yesterday} eiliseen
+ used_by_over_week:
+ one: Yhden henkilön käyttämä viime viikon aikana
+ other: Käyttänyt %{count} henkilöä viimeisen viikon aikana
title: Trendit
+ trending: Nousussa
warning_presets:
add_new: Lisää uusi
delete: Poista
edit_preset: Muokkaa varoituksen esiasetusta
empty: Et ole vielä määrittänyt yhtään varoitusesiasetusta.
title: Hallinnoi varoitusesiasetuksia
+ webhooks:
+ add_new: Lisää päätepiste
+ delete: Poista
+ description_html: A webhook mahdollistaa Mastodonin työntää reaaliaikaisia ilmoituksia valituista tapahtumista omaan sovellukseesi, joten sovelluksesi voi laukaista automaattisesti reaktioita.
+ disable: Poista käytöstä
+ disabled: Ei käytössä
+ edit: Muokkaa päätepistettä
+ empty: Sinulla ei ole vielä määritetty webhook-päätepisteitä.
+ enable: Ota käyttöön
+ enabled: Aktiivinen
+ enabled_events:
+ one: 1 aktivoitu tapahtuma
+ other: "%{count} aktivoitua tapahtumaa"
+ events: Tapahtumat
+ new: Uusi webhook
+ rotate_secret: Vaihda salaus
+ secret: Salainen tunnus
+ status: Tila
+ title: Webhookit
+ webhook: Webhook
admin_mailer:
new_appeal:
actions:
@@ -964,10 +1110,12 @@ fi:
appealed_msg: Valituksesi on lähetetty. Jos se hyväksytään, sinulle ilmoitetaan.
appeals:
submit: Lähetä valitus
+ approve_appeal: Hyväksy valitus
associated_report: Liittyvä raportti
created_at: Päivätty
description_html: Nämä ovat tiliäsi koskevia toimia ja varoituksia, jotka %{instance} henkilökunta on lähettänyt sinulle.
recipient: Osoitettu
+ reject_appeal: Hylkää valitus
status: 'Viesti #%{id}'
status_removed: Viesti on jo poistettu järjestelmästä
title: "%{action} alkaen %{date}"
@@ -1030,15 +1178,40 @@ fi:
public: Julkiset aikajanat
thread: Keskustelut
edit:
+ add_keyword: Lisää avainsana
+ keywords: Avainsanat
+ statuses: Yksittäiset postaukset
+ statuses_hint_html: Tämä suodatin koskee yksittäisten postausten valintaa riippumatta siitä, vastaavatko ne alla olevia avainsanoja. Tarkista tai poista viestit suodattimesta.
title: Muokkaa suodatinta
errors:
+ deprecated_api_multiple_keywords: Näitä parametreja ei voi muuttaa tästä sovelluksesta, koska ne koskevat useampaa kuin yhtä suodattimen avainsanaa. Käytä uudempaa sovellusta tai web-käyttöliittymää.
invalid_context: Ei sisältöä tai se on virheellinen
index:
+ contexts: Suodattimet %{contexts}
delete: Poista
empty: Sinulla ei ole suodattimia.
+ expires_in: Vanhenee %{distance}
+ expires_on: Vanhenee %{date}
+ keywords:
+ one: "%{count} avainsana"
+ other: "%{count} avainsanaa"
+ statuses:
+ one: "%{count} viesti"
+ other: "%{count} viestiä"
+ statuses_long:
+ one: "%{count} yksittäinen viesti piilotettu"
+ other: "%{count} yksittäistä viestiä piilotettu"
title: Suodattimet
new:
+ save: Tallenna uusi suodatin
title: Lisää uusi suodatin
+ statuses:
+ back_to_filter: Takaisin suodattimeen
+ batch:
+ remove: Poista suodattimista
+ index:
+ hint: Tämä suodatin koskee yksittäisten viestien valintaa muista kriteereistä riippumatta. Voit lisätä lisää viestejä tähän suodattimeen web-käyttöliittymästä.
+ title: Suodatetut viestit
footer:
developers: Kehittäjille
more: Lisää…
@@ -1156,16 +1329,10 @@ fi:
copy_account_note_text: 'Tämä käyttäjä siirtyi paikasta %{acct}, tässä olivat aiemmat muistiinpanosi niistä:'
notification_mailer:
admin:
+ report:
+ subject: "%{name} lähetti raportin"
sign_up:
subject: "%{name} kirjautunut"
- digest:
- action: Näytä kaikki ilmoitukset
- body: Tässä lyhyt yhteenveto viime käyntisi (%{since}) jälkeen tulleista viesteistä
- mention: "%{name} mainitsi sinut:"
- new_followers_summary:
- one: Olet myös saanut yhden uuden seuraajan! Juhuu!
- other: Olet myös saanut %{count} uutta seuraajaa! Aivan mahtavaa!
- title: Poissaollessasi…
favourite:
body: "%{name} tykkäsi tilastasi:"
subject: "%{name} tykkäsi tilastasi"
@@ -1278,6 +1445,11 @@ fi:
reports:
errors:
invalid_rules: ei viittaa voimassa oleviin sääntöihin
+ rss:
+ content_warning: 'Sisällön varoitus:'
+ descriptions:
+ account: Julkiset viestit lähettäjältä @%{acct}
+ tag: 'Julkiset viestit merkitty #%{hashtag}'
scheduled_statuses:
over_daily_limit: Olet ylittänyt %{limit} ajoitetun viestin rajan tälle päivälle
over_total_limit: Olet ylittänyt %{limit} ajoitetun viestin rajan
@@ -1365,6 +1537,7 @@ fi:
disallowed_hashtags:
one: 'sisälsi aihetunnisteen jota ei sallita: %{tags}'
other: 'sisälsi aihetunnisteet joita ei sallita: %{tags}'
+ edited_at_html: Muokattu %{date}
errors:
in_reply_not_found: Viesti, johon yrität vastata, ei näytä olevan olemassa.
open_in_web: Avaa selaimessa
@@ -1435,10 +1608,11 @@ fi:
pinned: Kiinnitetty tuuttaus
reblogged: buustasi
sensitive_content: Arkaluontoista sisältöä
+ strikes:
+ errors:
+ too_late: On liian myöhäistä vedota tähän varoitukseen
tags:
does_not_match_previous_name: ei vastaa edellistä nimeä
- terms:
- title: "%{instance}, käyttöehdot ja tietosuojakäytäntö"
themes:
contrast: Mastodon (Korkea kontrasti)
default: Mastodon (Tumma)
@@ -1477,6 +1651,13 @@ fi:
explanation: Pyysit täydellistä varmuuskopiota Mastodon-tilistäsi. Voit nyt ladata sen!
subject: Arkisto on valmiina ladattavaksi
title: Arkiston tallennus
+ suspicious_sign_in:
+ change_password: vaihda salasanasi
+ details: 'Tässä on tiedot kirjautumisesta:'
+ explanation: Olemme havainneet kirjautumisen tilillesi uudesta IP-osoitteesta.
+ further_actions_html: Jos et ollut sinä, suosittelemme, että %{action} teet välittömästi ja otat kaksivaiheisen todennuksen käyttöön tilisi turvallisuuden varmistamiseksi.
+ subject: Tiliäsi on käytetty uudesta IP-osoitteesta
+ title: Uusi kirjautuminen
warning:
appeal: Lähetä valitus
appeal_description: Jos uskot, että tämä on virhe, voit hakea muutosta henkilökunnalta %{instance}.
diff --git a/config/locales/fr.yml b/config/locales/fr.yml
index 018dea3af..ff10ff636 100644
--- a/config/locales/fr.yml
+++ b/config/locales/fr.yml
@@ -28,7 +28,6 @@ fr:
learn_more: En savoir plus
logged_in_as_html: Vous êtes actuellement connecté·e en tant que %{username}.
logout_before_registering: Vous êtes déjà connecté·e.
- privacy_policy: Politique de confidentialité
rules: Règles du serveur
rules_html: 'Voici un résumé des règles que vous devez suivre si vous voulez avoir un compte sur ce serveur de Mastodon :'
see_whats_happening: Quoi de neuf
@@ -39,7 +38,6 @@ fr:
other: messages
status_count_before: Ayant publié
tagline: Réseau social décentralisé
- terms: Conditions d’utilisation
unavailable_content: Serveurs modérés
unavailable_content_description:
domain: Serveur
@@ -297,7 +295,6 @@ fr:
create_unavailable_domain_html: "%{name} a arrêté la livraison vers le domaine %{target}"
demote_user_html: "%{name} a rétrogradé l'utilisateur·rice %{target}"
destroy_announcement_html: "%{name} a supprimé l'annonce %{target}"
- destroy_custom_emoji_html: "%{name} a détruit l'émoji %{target}"
destroy_domain_allow_html: "%{name} a rejeté la fédération avec le domaine %{target}"
destroy_domain_block_html: "%{name} a débloqué le domaine %{target}"
destroy_email_domain_block_html: "%{name} a débloqué le domaine de courriel %{target}"
@@ -332,7 +329,6 @@ fr:
update_custom_emoji_html: "%{name} a mis à jour l'émoji %{target}"
update_domain_block_html: "%{name} a mis à jour le blocage de domaine pour %{target}"
update_status_html: "%{name} a mis à jour le message de %{target}"
- deleted_status: "(message supprimé)"
empty: Aucun journal trouvé.
filter_by_action: Filtrer par action
filter_by_user: Filtrer par utilisateur·ice
@@ -783,9 +779,6 @@ fr:
site_short_description:
desc_html: Affichée dans la barre latérale et dans les méta-tags. Décrivez ce qui rend spécifique ce serveur Mastodon en un seul paragraphe. Si laissée vide, la description du serveur sera affiché par défaut.
title: Description courte du serveur
- site_terms:
- desc_html: Vous pouvez écrire votre propre politique de confidentialité, conditions d’utilisation ou autre jargon juridique. Vous pouvez utiliser des balises HTML
- title: Politique de confidentialité
site_title: Nom du serveur
thumbnail:
desc_html: Utilisée pour les prévisualisations via OpenGraph et l’API. 1200x630px recommandé
@@ -794,9 +787,6 @@ fr:
desc_html: Afficher un lien vers le fil public sur la page d’accueil et autoriser l'accès anonyme au fil public via l'API
title: Autoriser la prévisualisation anonyme du fil global
title: Paramètres du serveur
- trendable_by_default:
- desc_html: Affecte les hashtags qui n'ont pas été précédemment non autorisés
- title: Autoriser les hashtags à apparaître dans les tendances sans approbation préalable
trends:
desc_html: Afficher publiquement les hashtags approuvés qui sont populaires en ce moment
title: Hashtags populaires
@@ -1319,17 +1309,6 @@ fr:
subject: "%{name} a soumis un signalement"
sign_up:
subject: "%{name} s'est inscrit·e"
- digest:
- action: Voir toutes les notifications
- body: Voici un bref résumé des messages que vous avez raté depuis votre dernière visite le %{since}
- mention: "%{name} vous a mentionné⋅e dans :"
- new_followers_summary:
- one: De plus, vous avez un·e nouvel·le abonné·e ! Youpi !
- other: De plus, vous avez %{count} abonné·e·s de plus ! Incroyable !
- subject:
- one: "Une nouvelle notification depuis votre dernière visite 🐘"
- other: "%{count} nouvelles notifications depuis votre dernière visite 🐘"
- title: Pendant votre absence…
favourite:
body: "%{name} a ajouté votre message à ses favoris :"
subject: "%{name} a ajouté votre message à ses favoris"
@@ -1692,7 +1671,6 @@ fr:
Ce document est publié sous licence CC-BY-SA. Il a été mis à jour pour la dernière fois le 26 mai 2022.
- title: Conditions d’utilisation et politique de confidentialité de %{instance}
themes:
contrast: Mastodon (Contraste élevé)
default: Mastodon (Sombre)
diff --git a/config/locales/fy.yml b/config/locales/fy.yml
index fa727d6fe..02f77d7ea 100644
--- a/config/locales/fy.yml
+++ b/config/locales/fy.yml
@@ -37,8 +37,6 @@ fy:
contexts:
thread: Petearen
notification_mailer:
- digest:
- mention: "%{name} hat jo fermeld yn:"
mention:
action: Beäntwurdzje
body: 'Jo binne fermeld troch %{name} yn:'
diff --git a/config/locales/ga.yml b/config/locales/ga.yml
index 19a67a8ec..4656b83db 100644
--- a/config/locales/ga.yml
+++ b/config/locales/ga.yml
@@ -2,7 +2,6 @@
ga:
about:
api: API
- privacy_policy: Polasaí príobháideachais
unavailable_content_description:
domain: Freastalaí
reason: Fáth
diff --git a/config/locales/gd.yml b/config/locales/gd.yml
index bdbd26199..2f0639990 100644
--- a/config/locales/gd.yml
+++ b/config/locales/gd.yml
@@ -28,7 +28,6 @@ gd:
learn_more: Barrachd fiosrachaidh
logged_in_as_html: Tha thu air do chlàradh a-steach an-dràsta mar %{username}.
logout_before_registering: Tha thu air clàradh a-steach mu thràth.
- privacy_policy: Poileasaidh prìobhaideachd
rules: Riaghailtean an fhrithealaiche
rules_html: 'Tha geàrr-chunntas air na riaghailtean a dh’fheumas tu gèilleadh riutha ma tha thu airson cunntas fhaighinn air an fhrithealaiche Mastodon seo gu h-ìosal:'
see_whats_happening: Faic dè tha dol
@@ -40,7 +39,7 @@ gd:
other: post
two: phost
status_count_before: A dh’fhoillsich
- terms: Teirmichean na seirbheise
+ tagline: Lìonra sòisealta sgaoilte
unavailable_content: Frithealaichean fo mhaorsainneachd
unavailable_content_description:
domain: Frithealaiche
@@ -110,11 +109,17 @@ gd:
avatar: Avatar
by_domain: Àrainn
change_email:
+ changed_msg: Chaidh am post-d atharrachadh!
current_email: Am post-d làithreach
label: Atharraich am post-d
new_email: Post-d ùr
submit: Atharraich am post-d
title: Atharraich am post-d airson %{username}
+ change_role:
+ changed_msg: Chaidh an dreuchd atharrachadh!
+ label: Atharraich an dreuchd
+ no_role: Gun dreuchd
+ title: Atharraich an dreuchd aig %{username}
confirm: Dearbh
confirmed: Chaidh a dhearbhachadh
confirming: "’Ga dhearbhadh"
@@ -158,6 +163,7 @@ gd:
active: Gnìomhach
all: Na h-uile
pending: Ri dhèiligeadh
+ silenced: Cuingichte
suspended: À rèim
title: Maorsainneachd
moderation_notes: Nòtaichean na maorsainneachd
@@ -165,6 +171,7 @@ gd:
most_recent_ip: An IP as ùire
no_account_selected: Cha deach cunntas sam bith atharrachadh o nach deach gin dhiubh a thaghadh
no_limits_imposed: Cha deach crìoch sam bith a sparradh
+ no_role_assigned: Cha deach dreuchd iomruineadh
not_subscribed: Gun fho-sgrìobhadh
pending: A’ feitheamh air lèirmheas
perform_full_suspension: Cuir à rèim
@@ -193,6 +200,7 @@ gd:
reset: Ath-shuidhich
reset_password: Ath-shuidhich am facal-faire
resubscribe: Fo-sgrìobh a-rithist
+ role: Dreuchd
search: Lorg
search_same_email_domain: Cleachdaichean eile aig a bheil an aon àrainn puist-d
search_same_ip: Cleachdaichean eile aig a bheil an t-aon IP
@@ -297,7 +305,6 @@ gd:
create_unavailable_domain_html: Sguir %{name} ris an lìbhrigeadh dhan àrainn %{target}
demote_user_html: Dh’ìslich %{name} an cleachdaiche %{target}
destroy_announcement_html: Sguab %{name} às am brath-fios %{target}
- destroy_custom_emoji_html: Mhill %{name} an Emoji %{target}
destroy_domain_allow_html: Dì-cheadaich %{name} co-nasgadh leis an àrainn %{target}
destroy_domain_block_html: Dì-bhac %{name} an àrainn %{target}
destroy_email_domain_block_html: Dì-bhac %{name} an àrainn puist-d %{target}
@@ -332,7 +339,6 @@ gd:
update_custom_emoji_html: Dh’ùraich %{name} an Emoji %{target}
update_domain_block_html: Dh’ùraich %{name} bacadh na h-àrainne %{target}
update_status_html: Dh’ùraich %{name} post le %{target}
- deleted_status: "(post air a sguabadh às)"
empty: Cha deach loga a lorg.
filter_by_action: Criathraich a-rèir gnìomha
filter_by_user: Criathraich a-rèir cleachdaiche
@@ -667,6 +673,71 @@ gd:
unresolved: Gun fhuasgladh
updated_at: Air ùrachadh
view_profile: Seall a’ phròifil
+ roles:
+ add_new: Cuir dreuchd ris
+ assigned_users:
+ few: "%{count} cleachdaichean"
+ one: "%{count} chleachdaiche"
+ other: "%{count} cleachdaiche"
+ two: "%{count} chleachdaiche"
+ categories:
+ administration: Rianachd
+ devops: DevOps
+ invites: Cuiridhean
+ moderation: Maorsainneachd
+ special: Sònraichte
+ delete: Sguab às
+ description_html: Le dreuchdan chleachdaichean, ’s urrainn dhut gnàthachadh dè na gleusan is raointean de Mhastodon as urrainn dha na cleachdaichean agad inntrigeadh.
+ edit: Deasaich an dreuchd aig “%{name}“
+ everyone: Na ceadan bunaiteach
+ everyone_full_description_html: Seo an dreuchd bhunaiteach a bheir buaidh air gach cleachdaiche, fiù an fheadhainn nach deach dreuchd iomruineadh dhaibh. Gheibh a h-uile dreuch ceadan uaipe mar dhìleab.
+ permissions_count:
+ few: "%{count} ceadan"
+ one: "%{count} chead"
+ other: "%{count} cead"
+ two: "%{count} chead"
+ privileges:
+ administrator: Rianaire
+ administrator_description: Chan eil cuingeachadh sam bith air na cleachdaichean aig bheil an cead seo
+ delete_user_data: Sguab às dàta a’ chleachdaiche
+ delete_user_data_description: Leigidh seo le cleachdaichean dàta chleachdaichean eile a sguabadh às gun dàil
+ invite_users: Thoir cuireadh do chleachdaichean
+ invite_users_description: Leigidh seo le cleachdaichean cuireadh dhan fhrithealaiche a chur gu daoine eile
+ manage_announcements: Stiùireadh nam brathan-fios
+ manage_announcements_description: Leigidh seo le cleachdaichean brathan-fios a stiùireadh air an fhrithealaiche
+ manage_appeals: Stiùireadh ath-thagraidhean
+ manage_appeals_description: Leigidh seo le cleachdaichean lèirmheas a dhèanamh air ath-thagraidhean an aghaidh gnìomhan mhaor
+ manage_blocks: Stiùireadh nam bacaidhean
+ manage_blocks_description: Leigidh seo le cleachdaichean solaraichean puist-d is seòlaidhean IP a bhacadh
+ manage_custom_emojis: Stiùireadh nan Emojis gnàthaichte
+ manage_custom_emojis_description: Leigidh seo le cleachdaichean Emojis gnàthaichte a stiùireadh air an fhrithealaiche
+ manage_federation: Stiùireadh a’ cho-nasgaidh
+ manage_federation_description: Leigidh seo le cleachdaichean an co-nasgadh le àrainnean eile a bhacadh no a cheadachadh agus stiùireadh dè ghabhas lìbhrigeadh
+ manage_invites: Stiùireadh nan cuiridhean
+ manage_invites_description: Leigidh seo le cleachdaichean ceanglaichean cuiridh a rùrachadh ’s a chur à gnìomh
+ manage_reports: Stiùireadh ghearanan
+ manage_reports_description: Leigidh seo le cleachdaichean lèirmheas a dhèanamh air gearanan agus gnìomhan maoir a ghabhail ’nan aghaidh
+ manage_roles: Stiùireadh dhreuchdan
+ manage_roles_description: Leigidh seo le cleachdaichean dreuchdan a stiùireadh is iomruineadh do dh’ìochdaran
+ manage_rules: Stiùireadh nan riaghailtean
+ manage_rules_description: Leigidh seo le cleachdaichean riaghailtean an fhrithealaiche atharrachadh
+ manage_settings: Stiùireadh nan roghainnean
+ manage_settings_description: Leigidh seo le cleachdaichean roghainnean na làraich atharrachadh
+ manage_taxonomies: Stiùireadh thacsonamaidhean
+ manage_taxonomies_description: Leigidh seo le cleachdaichean lèirmheas a dhèanamh air an t-susbaint a tha a’ treandadh agus roghainnean nan tagaichean hais ùrachadh
+ manage_user_access: Stiùireadh inntrigeadh chleachdaichean
+ manage_user_access_description: Leigidh seo le cleachdaichean gun cuir iad à comas dearbhadh dà-cheumnach càich, gun atharraich iad an seòladh puist-d aca is gun ath-shuidhich iad am facal-faire aca
+ manage_users: Stiùireadh chleachdaichean
+ manage_users_description: Leigidh seo le cleachdaichean mion-fhiosrachadh càich a shealltainn agus gnìomhan maoir a ghabhail ’nan aghaidh
+ manage_webhooks: Stiùireadh nan webhooks
+ manage_webhooks_description: Leigidh seo le cleachdaichean webhooks a shuidheachadh do thachartasan na rianachd
+ view_audit_log: Coimhead air an loga sgrùdaidh
+ view_audit_log_description: Leigidh seo le cleachdaichean coimhead air eachdraidh gnìomhan na rianachd air an fhrithealaiche
+ view_dashboard: Coimhead air an deas-bhòrd
+ view_dashboard_description: Leigidh seo le cleachdaichean an deas-bhòrd agus meatrachdan inntrigeadh
+ view_devops: DevOps
+ view_devops_description: Leigidh seo le cleachdaichean na deas-bhùird aig Sidekiq is pgHero inntrigeadh
+ title: Dreuchdan
rules:
add_new: Cuir riaghailt ris
delete: Sguab às
@@ -740,9 +811,6 @@ gd:
site_short_description:
desc_html: Nochdaidh seo air a’ bhàr-taoibh agus sna meata-thagaichean. Mìnich dè th’ ann am Mastodon agus dè tha sònraichte mun fhrithealaiche agad ann an aon earrann a-mhàin.
title: Tuairisgeul goirid an fhrithealaiche
- site_terms:
- desc_html: "’S urrainn dhut am poileasaidh prìobhaideachd no teirmichean na seirbheise agad fhèin no fiosrachadh laghail sa bith eile a sgrìobhadh. ‘S urrainn dhut tagaichean HTML a chleachdadh"
- title: Teirmichean gnàthaichte na seirbheise
site_title: Ainm an fhrithealaiche
thumbnail:
desc_html: Thèid seo a chleachdadh airson ro-sheallaidhean slighe OpenGraph no API. Mholamaid 1200x630px
@@ -751,9 +819,6 @@ gd:
desc_html: Seall ceangal dhan loidhne-ama phoblach air an duilleag-landaidh is ceadaich inntrigeadh gun ùghdarrachadh leis an API air an loidhne-ama phoblach
title: Ceadaich inntrigeadh gun ùghdarrachadh air an loidhne-ama phoblach
title: Roghainnean na làraich
- trendable_by_default:
- desc_html: Bheir seo buaidh air na tagaichean hais nach deach a dhì-cheadachadh roimhe
- title: Leig le tagaichean hais treandadh às aonais lèirmheis ro làimh
trends:
desc_html: Seall susbaint gu poblach a chaidh lèirmheas a dhèanamh oirre roimhe ’s a tha a’ treandadh
title: Treandaichean
@@ -870,6 +935,28 @@ gd:
edit_preset: Deasaich rabhadh ro-shuidhichte
empty: Cha do mhìnich thu ro-sheataichean rabhaidhean fhathast.
title: Stiùirich na rabhaidhean ro-shuidhichte
+ webhooks:
+ add_new: Cuir puing-dheiridh ris
+ delete: Sguab às
+ description_html: Bheir webhook comas do Mhastodon gus brathan fìor-ama a phutadh dhan aplacaid agad fhèin mu na tachartasan a thagh thu ach an adhbharaich an aplacaid agad freagairtean gu fèin-obrachail.
+ disable: Cuir à comas
+ disabled: À comas
+ edit: Deasaich a’ phuing-dheiridh
+ empty: Cha deach puing-deiridh webhook sam bith a rèiteachadh fhathast.
+ enable: Cuir an comas
+ enabled: Gnìomhach
+ enabled_events:
+ few: Tha %{count} tachartasan an comas
+ one: Tha %{count} tachartas an comas
+ other: Tha %{count} tachartas an comas
+ two: Tha %{count} thachartas an comas
+ events: Tachartasan
+ new: Webhook ùr
+ rotate_secret: Cuairtich an rùn
+ secret: Rùn soidhnich
+ status: Staid
+ title: Webhooks
+ webhook: Webhook
admin_mailer:
new_appeal:
actions:
@@ -994,7 +1081,7 @@ gd:
post_follow:
close: Air neo dùin an uinneag seo.
return: Seall pròifil a’ chleachdaiche
- web: Tadhail air an lìon
+ web: Tadhail air an duilleag-lìn
title: Lean air %{acct}
challenge:
confirm: Lean air adhart
@@ -1122,14 +1209,26 @@ gd:
public: Loidhnichean-ama poblach
thread: Còmhraidhean
edit:
+ add_keyword: Cuir facal-luirg ris
+ keywords: Faclan-luirg
title: Deasaich a’ chriathrag
errors:
+ deprecated_api_multiple_keywords: Cha ghabh na paramadairean seo atharrachadh on aplacaid seo on a bhios iad an sàs air iomadh facal-luirg na criathraige. Cleachd aplacaid nas ùire no an eadar-aghaidh-lìn.
invalid_context: Cha deach co-theacs a sholar no tha e mì-dhligheach
index:
+ contexts: Criathradh am broinn %{contexts}
delete: Sguab às
empty: Chan eil criathrag agad.
+ expires_in: Falbhaidh an ùine air an ceann %{distance}
+ expires_on: Falbhaidh an ùine air %{date}
+ keywords:
+ few: "%{count} faclan-luirg"
+ one: "%{count} fhacal-luirg"
+ other: "%{count} facal-luirg"
+ two: "%{count} fhacal-luirg"
title: Criathragan
new:
+ save: Sàbhail a’ chriathrag ùr
title: Cuir criathrag ùr ris
footer:
developers: Luchd-leasachaidh
@@ -1252,23 +1351,10 @@ gd:
copy_account_note_text: 'Da cleachdaiche air gluasad o %{acct}, seo na nòtaichean a bh’ agad mu dhèidhinn roimhe:'
notification_mailer:
admin:
+ report:
+ subject: Rinn %{name} gearan
sign_up:
subject: Chlàraich %{name}
- digest:
- action: Seall a h-uile brath
- body: Seo geàrr-chunntas air na h-atharraichean nach fhaca thu on tadhal mu dheireadh agad %{since}
- mention: 'Thug %{name} iomradh ort an-seo:'
- new_followers_summary:
- few: Cuideachd, bhuannaich thu %{count} luchd-leantainn ùr on àm a bha thu air falbh! Nach ma sin!
- one: Cuideachd, bhuannaich thu %{count} neach-leantainn ùr on àm a bha thu air falbh! Nach ma sin!
- other: Cuideachd, bhuannaich thu %{count} luchd-leantainn ùr on àm a bha thu air falbh! Nach ma sin!
- two: Cuideachd, bhuannaich thu %{count} neach-leantainn ùr on àm a bha thu air falbh! Nach ma sin!
- subject:
- few: "%{count} brathan ùra on tadhal mu dheireadh agad 🐘"
- one: "%{count} bhrath ùr on tadhal mu dheireadh agad 🐘"
- other: "%{count} brath ùr on tadhal mu dheireadh agad 🐘"
- two: "%{count} bhrath ùr on tadhal mu dheireadh agad 🐘"
- title: Fhad ’s a bha thu air falbh…
favourite:
body: 'Is annsa le %{name} am post agad:'
subject: Is annsa le %{name} am post agad
@@ -1328,7 +1414,7 @@ gd:
polls:
errors:
already_voted: Chuir thu bhòt sa chunntas-bheachd seo mu thràth
- duplicate_options: " – tha nithean dùblaichte ann"
+ duplicate_options: "– tha nithean dùblaichte ann"
duration_too_long: "– tha seo ro fhad air falbh san àm ri teachd"
duration_too_short: "– tha seo ro aithghearr"
expired: Tha an cunntas-bheachd air a thighinn gu crìoch
@@ -1657,7 +1743,6 @@ gd:
Tha an sgrìobhainn seo fo cheadachas CC-BY-SA. Chaidh ùrachadh an turas mu dheireadh an t-26mh dhen Chèitean 2022.
- title: Teirmichean na seirbheise ⁊ poileasaidh prìobhaideachd %{instance}
themes:
contrast: Mastodon (iomsgaradh àrd)
default: Mastodon (dorcha)
diff --git a/config/locales/gl.yml b/config/locales/gl.yml
index a5baa17f2..23b3d52ae 100644
--- a/config/locales/gl.yml
+++ b/config/locales/gl.yml
@@ -28,7 +28,7 @@ gl:
learn_more: Saber máis
logged_in_as_html: Entraches como %{username}.
logout_before_registering: Xa iniciaches sesión.
- privacy_policy: Política de privacidade
+ privacy_policy: Política de Privacidade
rules: Regras do servidor
rules_html: 'Aquí tes un resumo das regras que debes seguir se queres ter unha conta neste servidor de Mastodon:'
see_whats_happening: Mira o que acontece
@@ -39,7 +39,6 @@ gl:
other: publicacións
status_count_before: Que publicaron
tagline: Rede social descentralizada
- terms: Termos do servizo
unavailable_content: Contido non dispoñíbel
unavailable_content_description:
domain: Servidor
@@ -235,17 +234,21 @@ gl:
approve_user: Aprobar Usuaria
assigned_to_self_report: Asignar denuncia
change_email_user: Editar email da usuaria
+ change_role_user: Cambiar Rol da Usuaria
confirm_user: Confirmar usuaria
create_account_warning: Crear aviso
create_announcement: Crear anuncio
+ create_canonical_email_block: Crear Bloqueo de email
create_custom_emoji: Crear emoticonas personalizadas
create_domain_allow: Crear Dominio Permitido
create_domain_block: Crear bloquedo do Dominio
create_email_domain_block: Crear bloqueo de dominio de correo electrónico
create_ip_block: Crear regra IP
create_unavailable_domain: Crear dominio Non dispoñible
+ create_user_role: Crear Rol
demote_user: Degradar usuaria
destroy_announcement: Eliminar anuncio
+ destroy_canonical_email_block: Eliminar Bloqueo de email
destroy_custom_emoji: Eliminar emoticona personalizada
destroy_domain_allow: Eliminar Dominio permitido
destroy_domain_block: Eliminar bloqueo do Dominio
@@ -254,6 +257,7 @@ gl:
destroy_ip_block: Eliminar regra IP
destroy_status: Eliminar publicación
destroy_unavailable_domain: Eliminar dominio Non dispoñible
+ destroy_user_role: Eliminar Rol
disable_2fa_user: Desactivar 2FA
disable_custom_emoji: Desactivar emoticona personalizada
disable_sign_in_token_auth_user: Desactivar Autenticación por token no email para Usuaria
@@ -280,24 +284,30 @@ gl:
update_announcement: Actualizar anuncio
update_custom_emoji: Actualizar emoticona personalizada
update_domain_block: Actualizar bloqueo do dominio
+ update_ip_block: Actualizar regra IP
update_status: Actualizar publicación
+ update_user_role: Actualizar Rol
actions:
approve_appeal_html: "%{name} aprobou a apelación da decisión da moderación de %{target}"
approve_user_html: "%{name} aprobou o rexistro de %{target}"
assigned_to_self_report_html: "%{name} asignou a denuncia %{target} para si mesma"
change_email_user_html: "%{name} cambiou o enderezo de email da usuaria %{target}"
+ change_role_user_html: "%{name} cambiou o rol de %{target}"
confirm_user_html: "%{name} confirmou o enderezo de email da usuaria %{target}"
create_account_warning_html: "%{name} envioulle unha advertencia a %{target}"
create_announcement_html: "%{name} creou un novo anuncio %{target}"
+ create_canonical_email_block_html: "%{name} bloqueou o email con hash %{target}"
create_custom_emoji_html: "%{name} subiu un novo emoji %{target}"
create_domain_allow_html: "%{name} permitiu a federación co dominio %{target}"
create_domain_block_html: "%{name} bloqueou o dominio %{target}"
create_email_domain_block_html: "%{name} bloqueou o dominio de email %{target}"
create_ip_block_html: "%{name} creou regra para o IP %{target}"
create_unavailable_domain_html: "%{name} deixou de interactuar co dominio %{target}"
+ create_user_role_html: "%{name} creou o rol %{target}"
demote_user_html: "%{name} degradou a usuaria %{target}"
destroy_announcement_html: "%{name} eliminou o anuncio %{target}"
- destroy_custom_emoji_html: "%{name} destruíu o emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} desbloqueou o email con hash %{target}"
+ destroy_custom_emoji_html: "%{name} eliminou o emoji %{target}"
destroy_domain_allow_html: "%{name} retirou a federación co dominio %{target}"
destroy_domain_block_html: "%{name} desbloqueou o dominio %{target}"
destroy_email_domain_block_html: "%{name} desbloqueou o dominio de email %{target}"
@@ -305,6 +315,7 @@ gl:
destroy_ip_block_html: "%{name} eliminou a regra para o IP %{target}"
destroy_status_html: "%{name} eliminou a publicación de %{target}"
destroy_unavailable_domain_html: "%{name} retomou a interacción co dominio %{target}"
+ destroy_user_role_html: "%{name} eliminou o rol %{target}"
disable_2fa_user_html: "%{name} desactivou o requerimento do segundo factor para a usuaria %{target}"
disable_custom_emoji_html: "%{name} desactivou o emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} desactivou a autenticación por token no email para %{target}"
@@ -331,8 +342,9 @@ gl:
update_announcement_html: "%{name} actualizou o anuncio %{target}"
update_custom_emoji_html: "%{name} actualizou o emoji %{target}"
update_domain_block_html: "%{name} actualizou o bloqueo do dominio para %{target}"
+ update_ip_block_html: "%{name} cambiou a regra para IP %{target}"
update_status_html: "%{name} actualizou a publicación de %{target}"
- deleted_status: "(publicación eliminada)"
+ update_user_role_html: "%{name} cambiou o rol %{target}"
empty: Non se atoparon rexistros.
filter_by_action: Filtrar por acción
filter_by_user: Filtrar por usuaria
@@ -784,8 +796,8 @@ gl:
desc_html: Amosado na barra lateral e nos cancelos meta. Describe o que é Mastodon e que fai especial a este servidor nun só parágrafo. Se está baleiro, amosará a descrición do servidor.
title: Descrición curta do servidor
site_terms:
- desc_html: Podes escribir a túa propia política de privacidade, termos de servizo ou aclaracións legais. Podes empregar cancelos HTML
- title: Termos de servizo personalizados
+ desc_html: Podes escribir a túa propia Política de Privacidade e usar etiquetas HTML
+ title: Política de Privacidade propia
site_title: Nome do servidor
thumbnail:
desc_html: Utilizado para vistas previsas vía OpenGraph e API. Recoméndase 1200x630px
@@ -795,8 +807,8 @@ gl:
title: Permitir acceso á cronoloxía pública sen autenticación
title: Axustes do sitio
trendable_by_default:
- desc_html: Afecta ós cancelos que non foron rexeitados de xeito previo
- title: Permite ós cancelos ser tendencia sen revisión previa
+ desc_html: Poderase prohibir igualmente contido en voga específico
+ title: Permitir tendencias sen aprobación previa
trends:
desc_html: Amosar de xeito público cancelos revisados previamente que actualmente son tendencia
title: Cancelos en tendencia
@@ -1181,6 +1193,8 @@ gl:
edit:
add_keyword: Engadir palabra chave
keywords: Palabras chave
+ statuses: Publicacións individuais
+ statuses_hint_html: O filtro aplícase para seleccionar publicacións individuais independentemente de se concorda coas palabras chave indicadas. Revisa ou elimina publicacións do filtro.
title: Editar filtro
errors:
deprecated_api_multiple_keywords: Estes parámetros non se poden cambiar desde esta aplicación porque son de aplicación a máis dun filtro de palabras chave. Usa unha aplicación máis recente ou a interface web.
@@ -1194,10 +1208,23 @@ gl:
keywords:
one: "%{count} palabra chave"
other: "%{count} palabras chave"
+ statuses:
+ one: "%{count} publicación"
+ other: "%{count} publicacións"
+ statuses_long:
+ one: "%{count} publicación individual agochada"
+ other: "%{count} publicacións individuais agochadas"
title: Filtros
new:
save: Gardar o novo filtro
title: Engadir novo filtro
+ statuses:
+ back_to_filter: Volver ao filtro
+ batch:
+ remove: Eliminar do filtro
+ index:
+ hint: Este filtro aplícase para seleccionar publicacións individuais independentemente de outros criterios. Podes engadir máis publicacións a este filtro desde a interface web.
+ title: Publicacións filtradas
footer:
developers: Desenvolvedoras
more: Máis…
@@ -1205,12 +1232,22 @@ gl:
trending_now: Tendencia agora
generic:
all: Todo
+ all_items_on_page_selected_html:
+ one: "%{count} elemento seleccionado nesta páxina."
+ other: Tódolos %{count} elementos desta páxina están seleccionados.
+ all_matching_items_selected_html:
+ one: "%{count} elemento coincidente coa busca está seleccionado."
+ other: Tódolos %{count} elementos coincidentes coa busca están seleccionados.
changes_saved_msg: Cambios gardados correctamente!!
copy: Copiar
delete: Eliminar
+ deselect: Desmarcar todo
none: Ningún
order_by: Ordenar por
save_changes: Gardar cambios
+ select_all_matching_items:
+ one: Seleccionar %{count} elemento coincidente coa busca.
+ other: Seleccionar tódolos %{count} elementos coincidentes coa busca.
today: hoxe
validation_errors:
one: Algo non está ben de todo! Por favor revise abaixo o erro
@@ -1319,17 +1356,6 @@ gl:
subject: "%{name} enviou unha denuncia"
sign_up:
subject: "%{name} rexistrouse"
- digest:
- action: Ver todas as notificacións
- body: Aquí ten un breve resumo das mensaxes publicadas desde a súa última visita en %{since}
- mention: "%{name} mencionouna en:"
- new_followers_summary:
- one: Ademáis, ten unha nova seguidora desde entón! Ben!
- other: Ademáis, obtivo %{count} novas seguidoras desde entón! Tremendo!
- subject:
- one: "1 nova notificación desde a última visita 🐘"
- other: "%{count} novas notificacións desde a última visita 🐘"
- title: Na súa ausencia...
favourite:
body: 'A túa publicación foi marcada como favorita por %{name}:'
subject: "%{name} marcou como favorita a túa publicación"
@@ -1659,7 +1685,7 @@ gl:
Se decidimos cambiar a nosa política de privacidade publicaremos os cambios nesta páxina.
Este documento ten licenza CC-BY-SA. Actualizouse o 26 de maio de 2022.
- title: "%{instance} Termos do Servizo e Política de Intimidade"
+ title: Política de Privacidade de %{instance}
themes:
contrast: Mastodon (Alto contraste)
default: Mastodon (Escuro)
diff --git a/config/locales/he.yml b/config/locales/he.yml
index 4daa4f3b6..3ec99349a 100644
--- a/config/locales/he.yml
+++ b/config/locales/he.yml
@@ -28,19 +28,18 @@ he:
learn_more: מידע נוסף
logged_in_as_html: הנך מחובר/ת כרגע כ-%{username}.
logout_before_registering: חשבון זה כבר מחובר.
- privacy_policy: מדיניות פרטיות
rules: כללי השרת
rules_html: 'להלן סיכום הכללים שעליך לעקוב אחריהם על מנת להשתמש בחשבון בשרת מסטודון זה:'
see_whats_happening: מה קורה כעת
server_stats: 'סטטיסטיקות שרת:'
source_code: קוד מקור
status_count_after:
- many: חצרוצים
- one: חצרוץ
- other: חצרוצים
- two: חצרוצים
+ many: פוסטים
+ one: פוסט
+ other: פוסטים
+ two: פוסטים
status_count_before: שכתבו
- terms: תנאי שימוש
+ tagline: רשת חברתית מבוזרת
unavailable_content: שרתים מוגבלים
unavailable_content_description:
domain: שרת
@@ -83,10 +82,10 @@ he:
pin_errors:
following: עליך לעקוב אחרי חשבון לפני שניתן יהיה להמליץ עליו
posts:
- many: חצרוצים
- one: חצרוץ
- other: חצרוצים
- two: חצרוצים
+ many: פוסטים
+ one: פוסט
+ other: פוסטים
+ two: פוסטים
posts_tab_heading: חצרוצים
posts_with_replies: חצרוצים ותגובות
roles:
@@ -110,11 +109,17 @@ he:
avatar: יַצְגָן
by_domain: שם מתחם
change_email:
+ changed_msg: דוא"ל שונה בהצלחה
current_email: כתובת דוא"ל נוכחית
label: שינוי כתובת דוא"ל משוייכת לחשבון
new_email: כתובת דוא"ל חדשה
submit: שלחי בקשה לשינוי דוא"ל
title: שינוי כתובת דוא"ל עבור המשתמש.ת %{username}
+ change_role:
+ changed_msg: תפקיד שונה בהצלחה !
+ label: שנה תפקיד
+ no_role: ללא תפקיד
+ title: שינוי תפקיד עבור המשתמש.ת %{username}
confirm: אישור
confirmed: אושר
confirming: המאשר
@@ -158,6 +163,7 @@ he:
active: פעילים
all: הכל
pending: בהמתנה
+ silenced: מוגבלים
suspended: מושהים
title: ניהול קהילה
moderation_notes: הודעות מנחה
@@ -165,6 +171,7 @@ he:
most_recent_ip: כתובות אחרונות
no_account_selected: לא בוצעו שינויים בחשבונות ל שכן לא נבחרו חשבונות
no_limits_imposed: לא הוטלו הגבלות
+ no_role_assigned: ללא תפקיד
not_subscribed: לא רשום
pending: ממתינים לסקירה
perform_full_suspension: ביצוע השעייה מלאה
@@ -191,14 +198,15 @@ he:
send: שלח מחדש דוא"ל אימות
success: הודעת האימייל נשלחה בהצלחה!
reset: איפוס
- reset_password: אתחול סיסמא
+ reset_password: איפוס סיסמה
resubscribe: להרשם מחדש
+ role: תפקיד
search: חיפוש
search_same_email_domain: משתמשים אחרים מאותו דומיין דוא"ל
search_same_ip: משתמשים אחרים מאותה כתובת IP
security_measures:
- only_password: סיסמא בלבד
- password_and_2fa: סיסמא ואימות דו-גורמי
+ only_password: סיסמה בלבד
+ password_and_2fa: סיסמה ואימות דו-שלבי
sensitive: מאולצים לרגישות
sensitized: מסומנים כרגישים
shared_inbox_url: תיבה משותפת לדואר נכנס
@@ -235,6 +243,7 @@ he:
approve_user: אישור משתמש
assigned_to_self_report: הקצאת דו"ח
change_email_user: שינוי כתובת דוא"ל למשתמש
+ change_role_user: שינוי תפקיד למשתמש
confirm_user: אשר משתמש
create_account_warning: יצירת אזהרה
create_announcement: יצירת הכרזה
@@ -244,6 +253,7 @@ he:
create_email_domain_block: יצירת חסימת דומיין דוא"ל
create_ip_block: יצירת כלל IP
create_unavailable_domain: יצירת דומיין בלתי זמין
+ create_user_role: יצירת תפקיד
demote_user: הורדת משתמש בדרגה
destroy_announcement: מחיקת הכרזה
destroy_custom_emoji: מחיקת אמוג'י יחודי
@@ -252,8 +262,9 @@ he:
destroy_email_domain_block: מחיקת חסימת דומיין דוא"ל
destroy_instance: טיהור דומיין
destroy_ip_block: מחיקת כלל IP
- destroy_status: מחיקת חצרוץ
+ destroy_status: מחיקת פוסט
destroy_unavailable_domain: מחיקת דומיין בלתי זמין
+ destroy_user_role: מחיקת תפקיד
disable_2fa_user: השעיית זיהוי דו-גורמי
disable_custom_emoji: השעיית אמוג'י מיוחד
disable_sign_in_token_auth_user: השעיית אסימון הזדהות בדוא"ל של משתמש
@@ -267,7 +278,7 @@ he:
reject_user: דחיית משתמש
remove_avatar_user: הסרת תמונת פרופיל
reopen_report: פתיחת דו"ח מחדש
- reset_password_user: איפוס סיסמא
+ reset_password_user: איפוס סיסמה
resolve_report: פתירת דו"ח
sensitive_account: חשבון רגיש לכח
silence_account: הגבלת חשבון
@@ -281,11 +292,13 @@ he:
update_custom_emoji: עדכון סמלון מותאם אישית
update_domain_block: עדכון חסימת שם מתחם
update_status: סטטוס עדכון
+ update_user_role: עדכון תפקיד
actions:
approve_appeal_html: "%{name} אישר/ה ערעור על החלטת מנהלי הקהילה מ-%{target}"
approve_user_html: "%{name} אישר/ה הרשמה מ-%{target}"
assigned_to_self_report_html: '%{name} הקצה/תה דו"ח %{target} לעצמם'
change_email_user_html: '%{name} שינה/תה את כתובת הדוא"ל של המשתמש %{target}'
+ change_role_user_html: "%{name} שינה את התפקיד של %{target}"
confirm_user_html: '%{name} אישר/ה את כותבת הדו"אל של המשתמש %{target}'
create_account_warning_html: "%{name} שלח/ה אזהרה ל %{target}"
create_announcement_html: "%{name} יצר/ה הכרזה חדשה %{target}"
@@ -295,16 +308,18 @@ he:
create_email_domain_block_html: '%{name} חסם/ה את דומיין הדוא"ל %{target}'
create_ip_block_html: "%{name} יצר/ה כלל עבור IP %{target}"
create_unavailable_domain_html: "%{name} הפסיק/ה משלוח לדומיין %{target}"
+ create_user_role_html: "%{name} יצר את התפקיד של %{target}"
demote_user_html: "%{name} הוריד/ה בדרגה את המשתמש %{target}"
destroy_announcement_html: "%{name} מחק/ה את ההכרזה %{target}"
- destroy_custom_emoji_html: "%{name} השמיד/ה את האמוג'י %{target}"
+ destroy_custom_emoji_html: "%{name} מחק אמוג'י של %{target}"
destroy_domain_allow_html: "%{name} לא התיר/ה פדרציה עם הדומיין %{target}"
destroy_domain_block_html: "%{name} הסיר/ה חסימה מהדומיין %{target}"
destroy_email_domain_block_html: '%{name} הסיר/ה חסימה מדומיין הדוא"ל %{target}'
destroy_instance_html: "%{name} טיהר/ה את הדומיין %{target}"
destroy_ip_block_html: "%{name} מחק/ה את הכלל עבור IP %{target}"
- destroy_status_html: "%{name} הסיר/ה חצרוץ מאת %{target}"
+ destroy_status_html: "%{name} הסיר/ה פוסט מאת %{target}"
destroy_unavailable_domain_html: "%{name} התחיל/ה מחדש משלוח לדומיין %{target}"
+ destroy_user_role_html: "%{name} ביטל את התפקיד של %{target}"
disable_2fa_user_html: "%{name} ביטל/ה את הדרישה לאימות דו-גורמי למשתמש %{target}"
disable_custom_emoji_html: "%{name} השבית/ה את האמוג'י %{target}"
disable_sign_in_token_auth_user_html: '%{name} השבית/ה את האימות בעזרת אסימון דוא"ל עבור %{target}'
@@ -318,7 +333,7 @@ he:
reject_user_html: "%{name} דחו הרשמה מ-%{target}"
remove_avatar_user_html: "%{name} הסירו את תמונת הפרופיל של %{target}"
reopen_report_html: '%{name} פתח מחדש דו"ח %{target}'
- reset_password_user_html: "%{name} איפס/ה סיסמא עבור המשתמש %{target}"
+ reset_password_user_html: הסיסמה עבור המשתמש %{target} התאפסה על־ידי %{name}
resolve_report_html: '%{name} פתר/ה דו"ח %{target}'
sensitive_account_html: "%{name} סימן/ה את המדיה של %{target} כרגיש"
silence_account_html: "%{name} הגביל/ה את חשבונו של %{target}"
@@ -331,8 +346,8 @@ he:
update_announcement_html: "%{name} עדכן/ה הכרזה %{target}"
update_custom_emoji_html: "%{name} עדכן/ה אמוג'י %{target}"
update_domain_block_html: "%{name} עדכן/ה חסימת דומיין עבור %{target}"
- update_status_html: "%{name} עדכן/ה חצרוץ של %{target}"
- deleted_status: "(חצרוץ נמחק)"
+ update_status_html: "%{name} עדכן/ה פוסט של %{target}"
+ update_user_role_html: "%{name} שינה את התפקיד של %{target}"
empty: לא נמצאו יומנים.
filter_by_action: סינון לפי פעולה
filter_by_user: סינון לפי משתמש
@@ -436,6 +451,7 @@ he:
destroyed_msg: חסימת שרת בוטלה
domain: שרת
edit: עריכת חסימת שם מתחם
+ existing_domain_block: כבר החלת הגבלות מחמירות יותר על %{name}
existing_domain_block_html: כבר הפעלת הגבלות חמורות יותר על %{name}, עליך ראשית להסיר מעליו/ה את החסימה.
new:
create: יצירת חסימה
@@ -666,6 +682,71 @@ he:
unresolved: לא פתור
updated_at: עודכן
view_profile: צפה בפרופיל
+ roles:
+ add_new: הוספת תפקיד
+ assigned_users:
+ many: "%{count} משתמשים"
+ one: 'משתמש %{count} '
+ other: "%{count} משתמשים"
+ two: "%{count} שני משתמשים"
+ categories:
+ administration: ניהול מערכת
+ devops: פיתוח
+ invites: הזמנות
+ moderation: פיקוח
+ special: מיוחדים
+ delete: מחיקה
+ description_html: באמצעות תפקידי משתמש, תוכלו להתאים אישית לאילו פונקציות ואזורים של מסטודון המשתמשים יוכלו לגשת
+ edit: עריכת התפקיד של %{name}
+ everyone: הרשאות ברירת מחדל
+ everyone_full_description_html: זהו התפקיד הבסיסי שמשפיע על כלל המשתשמשים, אפילו אלו ללא תפקיד. כל התפקידים האחרים יורשים את ההרשאות שלהם ממנו.
+ permissions_count:
+ many: "%{count} הרשאות"
+ one: הרשאה %{count}
+ other: "%{count} הרשאות"
+ two: "%{count} הרשאות"
+ privileges:
+ administrator: מנהל מערכת
+ administrator_description: משתמשים עם הרשאה זו יוכלו לעקוף כל הרשאה
+ delete_user_data: מחיקת כל נתוני המשתמש
+ delete_user_data_description: מאפשר למשתמשים למחוק נתוני משתמשים אחרים ללא דיחוי
+ invite_users: הזמנת משתמשים
+ invite_users_description: מאפשר למשתמשים להזמין אנשים חדשים לשרת
+ manage_announcements: ניהול הכרזות
+ manage_announcements_description: מאפשר למשתמשים לנהל הכרזות של השרת
+ manage_appeals: ניהול ערעורים
+ manage_appeals_description: מאפשר למשתמשים לסקור ערעורים כנגד פעולות מודרציה
+ manage_blocks: ניהול חסימות
+ manage_blocks_description: מאפשר למשתמשים לחסום ספקי דוא"ל וכתובות IP
+ manage_custom_emojis: ניהול סמלונים בהתאמה אישית
+ manage_custom_emojis_description: מאפשר למשתמשים לנהל סמלונים בהתאמה אישית של השרת
+ manage_federation: ניהול פדרציה
+ manage_federation_description: מאפשר למשתמשים לחסום או לאפשר התממשקות עם שמות מתחם אחרים
+ manage_invites: ניהול הזמנות
+ manage_invites_description: מאפשר למשתמשים לעלעל ב ולבטל קישורי הזמנה
+ manage_reports: ניהול דו"חות
+ manage_reports_description: מאפשר למשתמשים לסקור דו"חות ולבצע פעולות מודרציה בהתבסס עליהם
+ manage_roles: ניהול תפקידים
+ manage_roles_description: מאפשר למשתמשים לנהל ולמנות אחרים לתפקידים נמוכים יותר משלהם.
+ manage_rules: ניהול כללים
+ manage_rules_description: מאפשר למשתמשים לנהל את כללי השרת
+ manage_settings: נהל הגדרות
+ manage_settings_description: מאפשר למשתמשים לנהל את הגדרות השרת
+ manage_taxonomies: ניהול טקסונומיות
+ manage_taxonomies_description: מאפשר למשתמשים לסקור תוכן אופנתי (טרנדי) ולעדכן אפשרויות של תגיות.
+ manage_user_access: ניהול גישת משתמשים
+ manage_user_access_description: מאפשר למשתמשים לבטל אימות דו-שלבי של משתמשים אחרים, לשנות את כתובות הדוא"ל שלהם, ולאפס את סיסמתם
+ manage_users: ניהול משתמשים
+ manage_users_description: מאפשר למשתמשים לצפות בפרטים של משתמשים אחרים ולבצע פעולות מודרציה לפיהם
+ manage_webhooks: ניהול Webhooks
+ manage_webhooks_description: מאפשר למשתמשים להגדיר Webhooks לאירועים מנהלתיים
+ view_audit_log: צפייה בלוג ביקורת
+ view_audit_log_description: מאפשר למשתשמשים לצפות בהיסטוריה של פעולות מנהלתיות על השרת
+ view_dashboard: הצג לוח מחוונים
+ view_dashboard_description: אפשר למשתמשים לגשת ללוח המחוונים
+ view_devops: פיתוח
+ view_devops_description: מאפשר למשתמשים לגשת ללוחות המחוונים של Sidekiq ושל pgHero
+ title: תפקידים
rules:
add_new: הוספת כלל
delete: מחיקה
@@ -739,9 +820,6 @@ he:
site_short_description:
desc_html: מוצג בעמודה הצידית ובמטא תגים. מתאר מהו מסטודון ומה מיחד שרת זה בפסקה בודדת.
title: תאור שרת קצר
- site_terms:
- desc_html: ניתן לכתוב מדיניות פרטיות, תנאי שירות ושאר מסמכים חוקיים בעצמך. ניתן להשתמש בתגי HTML
- title: תנאי שירות יחודיים
site_title: כותרת האתר
thumbnail:
desc_html: משמש לתצוגה מקדימה דרך OpenGraph והממשק. מומלץ 1200x630px
@@ -750,9 +828,6 @@ he:
desc_html: הצגת קישורית לפיד הפומבי מדף הנחיתה והרשאה לממשק לגשת לפיד הפומבי ללא אימות
title: הרשאת גישה בלתי מאומתת לפיד הפומבי
title: הגדרות אתר
- trendable_by_default:
- desc_html: משפיע על האשתגיות שלא נאסרו קודם לכן
- title: הרשאה להאשתגיות להופיע בנושאים החמים ללא אישור מוקדם
trends:
desc_html: הצגה פומבית של תוכן שנסקר בעבר ומופיע כרגע בנושאים החמים
title: נושאים חמים
@@ -825,10 +900,10 @@ he:
title: מפרסמים
rejected: דחוי
statuses:
- allow: הרשאת חצרוץ
+ allow: הרשאת פוסט
allow_account: הרשאת מחבר/ת
description_html: אלו הם חצרוצים שהשרת שלך מכיר וזוכים להדהודים וחיבובים רבים כרגע. זה עשוי למשתמשיך החדשים והחוזרים למצוא עוד נעקבים. החצרוצים לא מוצגים עד שיאושר המחבר/ת, והמחבר/ת יאשרו שחשבונים יומלץ לאחרים. ניתן לאשר או לדחות חצרוצים ספציפיים.
- disallow: לא לאשר חצרוץ
+ disallow: לדחות פוסט
disallow_account: לא לאשר מחבר/ת
not_discoverable: המחבר/ת לא בחר/ה לאפשר את גילויים
shared_by:
@@ -870,13 +945,26 @@ he:
empty: לא הגדרת עדיין שום טקסט מוכן מראש לאזהרה.
title: ניהול טקסטים מוכנים מראש לאזהרות
webhooks:
+ add_new: הוספת נקודת קצה
delete: מחיקה
disable: כיבוי
disabled: כבוי
+ edit: עריכת נקודת קצה
+ empty: לא הוגדו נקודות קצה להתליות רשת עדיין.
enable: אפשר
enabled: פעילים
+ enabled_events:
+ many: "%{count} אירועים אופשרו"
+ one: אירוע %{count} מאופשר
+ other: "%{count} אירועים אופשרו"
+ two: "%{count} אירועים אופשרו"
events: אירועים
+ new: Webhook חדש
+ rotate_secret: החלף מפתח
+ secret: מפתח הרשמה
status: סטטוס
+ title: התליות רשת
+ webhook: התליית רשת
admin_mailer:
new_appeal:
actions:
@@ -905,7 +993,7 @@ he:
title: נושאים חמים
new_trending_statuses:
no_approved_statuses: אין כרגע שום חצרוצים חמים מאושרים.
- requirements: כל אחד מהמועמדים האלה עשוי לעבור החצרוץ החם המאושר מדרגה %{rank}, שההא כרגע %{lowest_status_url} עם ציון של %{lowest_status_score}.
+ requirements: כל אחד מהמועמדים האלה עשוי לעבור את הפוסט החם המאושר מדרגה %{rank}, שהוא כרגע %{lowest_status_url} עם ציון של %{lowest_status_score}.
title: חצרוצים לוהטים
new_trending_tags:
no_approved_tags: אין כרגע שום האשתגיות חמות מאושרות.
@@ -930,14 +1018,14 @@ he:
guide_link: https://crowdin.com/project/mastodon
guide_link_text: כולם יכולים לתרום.
sensitive_content: תוכן רגיש
- toot_layout: פריסת חצרוץ
+ toot_layout: פריסת פוסט
application_mailer:
notification_preferences: שינוי העדפות דוא"ל
salutation: "%{name},"
settings: 'שינוי הגדרות דוא"ל: %{link}'
view: 'תצוגה:'
view_profile: צפיה בפרופיל
- view_status: הצגת חצרוץ
+ view_status: הצגת פוסט
applications:
created: ישום נוצר בהצלחה
destroyed: ישום נמחק בהצלחה
@@ -947,7 +1035,7 @@ he:
your_token: אסימון הגישה שלך
auth:
apply_for_account: בקשת הזמנה
- change_password: סיסמא
+ change_password: סיסמה
checkbox_agreement_html: אני מסכים/ה לכללי השרת ולתנאי השימוש
checkbox_agreement_without_rules_html: אני מסכים/ה לתנאי השימוש
delete_account: מחיקת חשבון
@@ -959,7 +1047,7 @@ he:
didnt_get_confirmation: לא התקבלו הוראות אימות?
dont_have_your_security_key: אין לך מפתח אבטחה?
forgot_password: הנשתכחה סיסמתך?
- invalid_reset_password_token: אסימון איפוס הסיסמא לא תקין או פג תוקף. נא לבקש אחד חדש.
+ invalid_reset_password_token: טוקן איפוס הסיסמה אינו תקין או שפג תוקף. נא לבקש אחד חדש.
link_to_otp: נא להכניס את קוד האימות הדו-גורמי מהטלפון או את קוד האחזור
link_to_webauth: נא להשתמש במכשיר מפתח האבטחה
log_in_with: התחבר באמצעות
@@ -974,9 +1062,9 @@ he:
register: הרשמה
registration_closed: "%{instance} לא מקבל חברים חדשים"
resend_confirmation: שלח הוראות אימות בשנית
- reset_password: איפוס סיסמא
- security: החלפת סיסמא
- set_new_password: שינוי סיסמא
+ reset_password: איפוס סיסמה
+ security: אבטחה
+ set_new_password: סיסמה חדשה
setup:
email_below_hint_html: אם כתובת הדוא"ל להלן לא נכונה, ניתן לשנותה כאן ולקבל דוא"ל אישור חדש.
email_settings_hint_html: דוא"ל האישור נשלח ל-%{email}. אם כתובת הדוא"ל הזו לא נכונה, ניתן לשנותה בהגדרות החשבון.
@@ -1006,8 +1094,8 @@ he:
challenge:
confirm: המשך
hint_html: "טיפ: לא נבקש את סיסמתך שוב בשעה הקרובה."
- invalid_password: סיסמא שגויה
- prompt: אשר/י סיסמא להמשך
+ invalid_password: סיסמה שגויה
+ prompt: יש לאשר את הסיסמה כדי להמשיך
crypto:
errors:
invalid_key: זהו לא מפתח Ed25519 או Curve25519 קביל
@@ -1032,7 +1120,7 @@ he:
x_seconds: "%{count} שניות"
deletes:
challenge_not_passed: המידע שהכנסת לא היה נכון
- confirm_password: נא להכניס את הסיסמא הנוכחית כדי לוודא את זהותך
+ confirm_password: נא להכניס את הסיסמה הנוכחית כדי לאמת את זהותך
confirm_username: נא להכניס את שם המשתמש כדאי לאשר את הפעולה
proceed: מחיקת חשבון
success_msg: חשבונך נמחק בהצלחה
@@ -1061,15 +1149,17 @@ he:
appealed_msg: הערעור שלך הוגש. במידה ויאושר, תיודע.
appeals:
submit: הגש ערעור
+ approve_appeal: קבלת ערעור
associated_report: הדו"ח המשויך
created_at: מתאריך
description_html: אלו הן הפעולות שננקטו כנגד חשבונך והאזהרות שנשלחו אליך על ידי צוות %{instance}.
recipient: הנמען
- status: 'חצרוץ #%{id}'
- status_removed: החצרוץ כבר הוסר מהמערכת
+ reject_appeal: דחיית ערעור
+ status: 'פוסט #%{id}'
+ status_removed: הפוסט כבר הוסר מהמערכת
title: "%{action} מתאריך %{date}"
title_actions:
- delete_statuses: הסרת חצרוץ
+ delete_statuses: הסרת פוסט
disable: הקפאת חשבון
mark_statuses_as_sensitive: סימון חצרוצים כרגישים
none: אזהרה
@@ -1127,15 +1217,35 @@ he:
public: פידים פומביים
thread: שיחות
edit:
+ add_keyword: הוספת מילת מפתח
+ keywords: מילות מפתח
+ statuses: פוסטים יחידים
title: ערוך מסנן
errors:
+ deprecated_api_multiple_keywords: לא ניתן לשנות פרמטרים אלו מהיישומון הזה בגלל שהם חלים על יותר ממילת מפתח אחת. ניתן להשתמש ביישומון מעודכן יותר או בממשק הוובי.
invalid_context: לא סופק הקשר או הקשר לא תקין
index:
+ contexts: פילטרים ב %{contexts}
delete: למחוק
empty: אין לך מסננים.
+ expires_in: פג תוקף ב %{distance}
+ expires_on: פג תוקף ב %{date}
+ keywords:
+ many: "%{count} מילות מפתח"
+ one: מילת מפתח %{count}
+ other: "%{count} מילות מפתח"
+ two: "%{count} מילות מפתח"
title: מסננים
new:
+ save: שמירת מסנן חדש
title: הוספת מסנן חדש
+ statuses:
+ back_to_filter: חזרה לפילטר
+ batch:
+ remove: הסרה מפילטר
+ index:
+ hint: פילטר זה חל באופן של בחירת פוסטים בודדים ללא תלות בקריטריונים אחרים. תוכלו להוסיף עוד פוסטים לפילטר זה ממשק הווב.
+ title: פוסטים שסוננו
footer:
developers: מפתחות
more: עוד…
@@ -1146,6 +1256,7 @@ he:
changes_saved_msg: השינויים נשמרו בהצלחה!
copy: להעתיק
delete: למחוק
+ deselect: בטל בחירה של הכל
none: כלום
order_by: מיין לפי
save_changes: שמור שינויים
@@ -1205,7 +1316,7 @@ he:
login_activities:
authentication_methods:
otp: יישומון אימות דו-שלבי
- password: סיסמא
+ password: סיסמה
sign_in_token: קוד אימות בדוא"ל
webauthn: מפתחות אבטחה
description_html: אם את/ה רואה פעילות שאינך מזהה, אנא שנה/י את סיסמתך והפעל/י אימות דו-גורמי.
@@ -1215,7 +1326,7 @@ he:
title: הסטוריית אימותים
media_attachments:
validations:
- images_and_video: לא ניתן להוסיף וידאו לחצרוץ שכבר מכיל תמונות
+ images_and_video: לא ניתן להוסיף וידאו לפוסט שכבר מכיל תמונות
not_ready: לא ניתן להצמיד קבצים שהעלאתם לא הסתיימה. נסה/י שוב בעוד רגע!
too_many: לא ניתן להוסיף יותר מארבעה קבצים
migrations:
@@ -1257,23 +1368,10 @@ he:
copy_account_note_text: 'חשבון זה הועבר מ-%{acct}, הנה הערותיך הקודמות לגביהם:'
notification_mailer:
admin:
+ report:
+ subject: '%{name} שלח/ה דו"ח'
sign_up:
subject: "%{name} נרשמו"
- digest:
- action: הצגת כל ההתראות
- body: להלן סיכום זריז של הדברים שקרו על מאז ביקורך האחרון ב-%{since}
- mention: "%{name} פנה אליך ב:"
- new_followers_summary:
- many: חוץ מזה, נוספו לך %{count} עוקבים חדשים בזמן שלא היית! מדהים!
- one: חוץ מזה, נוסף לך עוקב חדש בזמן שלא היית! הידד!
- other: חוץ מזה, נוספו לך %{count} עוקבים חדשים בזמן שלא היית! מדהים!
- two: חוץ מזה, נוספו לך %{count} עוקבים חדשים בזמן שלא היית! מדהים!
- subject:
- many: "%{count} התראות חדשות מאז ביקורך האחרון 🐘"
- one: "התראה חדשה אחת מאז ביקורך האחרון 🐘"
- other: "%{count} התראות חדשות מאז ביקורך האחרון 🐘"
- two: "%{count} התראות חדשות מאז ביקורך האחרון 🐘"
- title: בהעדרך...
favourite:
body: 'חצרוצך חובב על ידי %{name}:'
subject: חצרוצך חובב על ידי %{name}
@@ -1343,7 +1441,7 @@ he:
too_many_options: לא יכול להכיל יותר מ-%{max} פריטים
preferences:
other: שונות
- posting_defaults: ברירות מחדל לחצרוץ
+ posting_defaults: ברירות מחדל לפוסטים
public_timelines: פידים פומביים
reactions:
errors:
@@ -1376,13 +1474,13 @@ he:
remote_interaction:
favourite:
proceed: המשך לחיבוב
- prompt: 'ברצונך לחבב חצרוץ זה:'
+ prompt: 'ברצונך לחבב פוסט זה:'
reblog:
proceed: המשיכו להדהוד
- prompt: 'ברצונך להדהד חצרוץ זה:'
+ prompt: 'ברצונך להדהד פוסט זה:'
reply:
proceed: המשיבו לתגובה
- prompt: 'ברצונך להשיב לחצרוץ זה:'
+ prompt: 'ברצונך להשיב לפוסט זה:'
reports:
errors:
invalid_rules: לא מתייחס לכללים קבילים
@@ -1488,7 +1586,7 @@ he:
two: 'מכיל את ההאשתגיות האסורות: %{tags}'
edited_at_html: נערך ב-%{date}
errors:
- in_reply_not_found: נראה שהחצרוץ שאת/ה מנסה להגיב לו לא קיים.
+ in_reply_not_found: נראה שהפוסט שאת/ה מנסה להגיב לו לא קיים.
open_in_web: פתח ברשת
over_character_limit: חריגה מגבול התווים של %{max}
pin_errors:
@@ -1558,7 +1656,7 @@ he:
min_reblogs: שמור חצרוצים מהודהדים לפחות
min_reblogs_hint: לא מוחק מי מחצרוציך שקיבלו לפחות את המספר הזה של הדהודים. להשאיר ריק כדי למחוק חצרוצים ללא קשר למספר ההדהודים שקיבלו
stream_entries:
- pinned: חצרוץ מוצמד
+ pinned: פוסט נעוץ
reblogged: הודהד
sensitive_content: תוכן רגיש
strikes:
@@ -1567,7 +1665,87 @@ he:
tags:
does_not_match_previous_name: לא תואם את השם האחרון
terms:
- title: תנאי שימוש ומדיניות פרטיות ב-%{instance}
+ body_html: |
+
מדיניות פרטיות
+
איזה מידע אנחנו אוספים ?
+
+
+
מידע חשבון בסיסי: 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 sensitive 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.
+
+
+
+
+
What do we use your information for?
+
+
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.
+
+
+
+
+
How do we protect your information?
+
+
We implement a variety of security measures to maintain the safety of your personal information when you enter, submit, or access your personal information. Among other things, your browser session, as well as the traffic between your applications and the API, are secured with SSL, and your password is hashed using a strong one-way algorithm. You may enable two-factor authentication to further secure access to your account.
+
+
+
+
What is our data retention policy?
+
+
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.
+
+
+
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
+
+
You may irreversibly delete your account at any time.
+
+
+
+
Do we use cookies?
+
+
Yes. Cookies are small files that a site or its service provider transfers to your computer's hard drive through your Web browser (if you allow). These cookies enable the site to recognize your browser and, if you have a registered account, associate it with your registered account.
+
+
We use cookies to understand and save your preferences for future visits.
+
+
+
+
Do we disclose any information to outside parties?
+
+
We do not sell, trade, or otherwise transfer to outside parties your personally identifiable information. This does not include trusted third parties who assist us in operating our site, conducting our business, or servicing you, so long as those parties agree to keep this information confidential. We may also release your information when we believe release is appropriate to comply with the law, enforce our site policies, or protect ours or others rights, property, or safety.
+
+
Your public content may be downloaded by other servers in the network. Your public and followers-only posts are delivered to the servers where your followers reside, and direct messages are delivered to the servers of the recipients, in so far as those followers or recipients reside on a different server than this.
+
+
When you authorize an application to use your account, depending on the scope of permissions you approve, it may access your public profile information, your following list, your followers, your lists, all your posts, and your favourites. Applications can never access your e-mail address or password.
+
+
+
+
Site usage by children
+
+
If this server is in the EU or the EEA: Our site, products and services are all directed to people who are at least 16 years old. If you are under the age of 16, per the requirements of the GDPR (General Data Protection Regulation) do not use this site.
+
+
If this server is in the USA: Our site, products and services are all directed to people who are at least 13 years old. If you are under the age of 13, per the requirements of COPPA (Children's Online Privacy Protection Act) do not use this site.
+
+
Law requirements can be different if this server is in another jurisdiction.
+
+
+
+
Changes to our Privacy Policy
+
+
If we decide to change our privacy policy, we will post those changes on this page.
+
+
This document is CC-BY-SA. It was last updated May 26, 2022.
- title: "%{instance} Felhasználási feltételek és Adatkezelési nyilatkozat"
+ title: "%{instance} adatvédelmi szabályzata"
themes:
contrast: Mastodon (Nagy kontrasztú)
default: Mastodon (Sötét)
diff --git a/config/locales/hy.yml b/config/locales/hy.yml
index e04f2088c..164bafbbe 100644
--- a/config/locales/hy.yml
+++ b/config/locales/hy.yml
@@ -23,7 +23,6 @@ hy:
hosted_on: Մաստոդոնը տեղակայուած է %{domain}ում
instance_actor_flash: "Այս հաշիւ վիրտուալ դերասան է, օգտագործուում է սպասարկիչը, այլ ոչ անհատ օգտատիրոջը ներկայացնելու, համար։ Օգտագործուում է ֆեդերացիայի նպատակով, ու չպէտք է արգելափակուի, եթէ չէք ցանկանում արգելափակել ողջ հանգոյցը, որի դէպքում պէտք է օգտագործէք տիրոյթի արգելափակումը։ \n"
learn_more: Իմանալ ավելին
- privacy_policy: Գաղտնիության քաղաքականություն
rules: Սերուերի կանոնները
rules_html: Այս սերուերում հաշիւ ունենալու համար անհրաժեշտ է պահպանել ստորեւ նշուած կանոնները։
see_whats_happening: Տես ինչ կը կատարուի
@@ -33,7 +32,6 @@ hy:
one: գրառում
other: ստատուս
status_count_before: Որոնք արել են՝
- terms: Ծառայութեան պայմանները
unavailable_content: Մոդերացուող սպասարկիչներ
unavailable_content_description:
domain: Սպասարկիչ
@@ -245,7 +243,6 @@ hy:
update_custom_emoji: Թարմացնել սեփական էմոջիները
update_domain_block: Թարմացնել տիրոյթի արգելափակումը
update_status: Թարմացնել գրառումը
- deleted_status: "(ջնջուած գրառում)"
empty: Ոչ մի գրառում չկայ։
filter_by_action: Զտել ըստ գործողութեան
filter_by_user: Զտել ըստ օգտատիրոջ
@@ -467,9 +464,6 @@ hy:
title: Կայքի նկարագրութիւն
site_short_description:
title: Կայքի հակիրճ նկարագրութիւն
- site_terms:
- desc_html: Դու կարող ես գրել քո սեփական գաղտնիութեան քաղաքականութիւնը, օգտագործման պայմանները եւ այլ կանոններ։ Կարող ես օգտագործել HTML թեգեր
- title: Սեփական օգտագործման կանոնները
site_title: Սպասարկչի անուն
thumbnail:
title: Հանգոյցի նկարը
@@ -733,10 +727,6 @@ hy:
admin:
sign_up:
subject: "%{name}-ը գրանցուած է"
- digest:
- action: Դիտել բոլոր ծանուցումները
- mention: "%{name} նշել է քեզ՝"
- title: Երբ բացակայ էիր...
favourite:
body: Քո գրառումը հաւանել է %{name}-ը։
subject: "%{name} հաւանեց գրառումդ"
diff --git a/config/locales/id.yml b/config/locales/id.yml
index 2bf3e7d13..516ba321a 100644
--- a/config/locales/id.yml
+++ b/config/locales/id.yml
@@ -26,7 +26,6 @@ id:
learn_more: Pelajari selengkapnya
logged_in_as_html: Anda sedang masuk sebagai %{username}.
logout_before_registering: Anda sudah masuk.
- privacy_policy: Kebijakan Privasi
rules: Aturan server
rules_html: 'Di bawah ini adalah ringkasan aturan yang perlu Anda ikuti jika Anda ingin memiliki akun di server Mastodon ini:'
see_whats_happening: Lihat apa yang sedang terjadi
@@ -36,7 +35,6 @@ id:
other: status
status_count_before: Yang telah menulis
tagline: Jejaring sosial terdesentralisasi
- terms: Kebijakan layanan
unavailable_content: Konten tak tersedia
unavailable_content_description:
domain: Server
@@ -97,11 +95,14 @@ id:
avatar: Avatar
by_domain: Domian
change_email:
+ changed_msg: כתובת דוא"ל שונתה בהצלחה !
current_email: Email saat ini
label: Ganti email
new_email: Email baru
submit: Ganti email
title: Ganti email untuk %{username}
+ change_role:
+ changed_msg: תפקיד שונה בהצלחה !
confirm: Konfirmasi
confirmed: Dikonfirmasi
confirming: Mengkonfirmasi
@@ -281,7 +282,6 @@ id:
create_unavailable_domain_html: "%{name} menghentikan pengiriman ke domain %{target}"
demote_user_html: "%{name} menurunkan pengguna %{target}"
destroy_announcement_html: "%{name} menghapus pengumuman %{target}"
- destroy_custom_emoji_html: "%{name} menghapus emoji %{target}"
destroy_domain_allow_html: "%{name} membatalkan izin penggabungan dengan domain %{target}"
destroy_domain_block_html: "%{name} membuka blokir domain %{target}"
destroy_email_domain_block_html: "%{name} membuka blokir domain email %{target}"
@@ -316,7 +316,6 @@ id:
update_custom_emoji_html: "%{name} memperbarui emoji %{target}"
update_domain_block_html: "%{name} memperbarui blokir domain untuk %{target}"
update_status_html: "%{name} memperbarui status %{target}"
- deleted_status: "(status dihapus)"
empty: Log tidak ditemukan.
filter_by_action: Filter berdasarkan tindakan
filter_by_user: Filter berdasarkan pengguna
@@ -624,6 +623,8 @@ id:
unresolved: Belum Terseleseikan
updated_at: Diperbarui
view_profile: Lihat profil
+ roles:
+ edit: ערכי את התפקיד של '%{name}'
rules:
add_new: Tambah aturan
delete: Hapus
@@ -697,9 +698,6 @@ id:
site_short_description:
desc_html: Ditampilkan pada bilah samping dan tag meta. Jelaskan apa itu Mastodon dan yang membuat server ini spesial dalam satu paragraf.
title: Deskripsi server pendek
- site_terms:
- desc_html: Anda dapat menulis kebijakan privasi, ketentuan layanan, atau hal legal lainnya sendiri. Anda dapat menggunakan tag HTML
- title: Ketentuan layanan kustom
site_title: Judul Situs
thumbnail:
desc_html: Dipakai sebagai pratinjau via OpenGraph dan API. Direkomendasikan 1200x630px
@@ -708,9 +706,6 @@ id:
desc_html: Tampilkan tautan ke linimasa publik pada halaman landas dan izinkan API mengakses linimasa publik tanpa autentifikasi
title: Izinkan akses linimasa publik tanpa autentifikasi
title: Pengaturan situs
- trendable_by_default:
- desc_html: Memengaruhi tagar yang belum pernah diizinkan
- title: Izinkan tagar masuk tren tanpa peninjauan
trends:
desc_html: Tampilkan secara publik tagar tertinjau yang kini sedang tren
title: Tagar sedang tren
@@ -1211,15 +1206,6 @@ id:
admin:
sign_up:
subject: "%{name} mendaftar"
- digest:
- action: Lihat semua notifikasi
- body: Ini adalah ringkasan singkat yang anda lewatkan pada sejak kunjungan terakhir anda pada %{since}
- mention: "%{name} menyebut anda di:"
- new_followers_summary:
- other: Anda mendapatkan %{count} pengikut baru! Luar biasa!
- subject:
- other: "%{count} notifikasi baru sejak kunjungan Anda terakhir 🐘"
- title: Saat Anda tidak muncul...
favourite:
body: 'Status anda disukai oleh %{name}:'
subject: "%{name} menyukai status anda"
@@ -1494,8 +1480,6 @@ id:
too_late: Terlambat untuk mengajukan banding hukuman ini
tags:
does_not_match_previous_name: tidak cocok dengan nama sebelumnya
- terms:
- title: "%{instance} Ketentuan Layanan dan Kebijakan Privasi"
themes:
contrast: Mastodon (Kontras tinggi)
default: Mastodon (Gelap)
diff --git a/config/locales/io.yml b/config/locales/io.yml
index f88ab4164..6cb06d249 100644
--- a/config/locales/io.yml
+++ b/config/locales/io.yml
@@ -39,7 +39,6 @@ io:
other: posti
status_count_before: Qua publikigis
tagline: Necentralizita sociala reto
- terms: Serveskondicioni
unavailable_content: Jerata servili
unavailable_content_description:
domain: Servilo
@@ -235,17 +234,21 @@ io:
approve_user: Aprobez uzanto
assigned_to_self_report: Taskigez raporto
change_email_user: Chanjez retposto por uzanto
+ change_role_user: Chanjez rolo di uzanto
confirm_user: Konfirmez uzanto
create_account_warning: Kreez averto
create_announcement: Kreez anunco
+ create_canonical_email_block: Kreez domenobstrukto
create_custom_emoji: Kreez kustumizita emocimajo
create_domain_allow: Kreez domenpermiso
create_domain_block: Kreez domenobstrukto
create_email_domain_block: Kreez retpostodomenobstrukto
create_ip_block: Kreez IP-regulo
create_unavailable_domain: Kreez nedisponebla domeno
+ create_user_role: Kreez rolo
demote_user: Despromocez uzanto
destroy_announcement: Efacez anunco
+ destroy_canonical_email_block: Efacez domenobstrukto
destroy_custom_emoji: Efacez kustumizita emocimajo
destroy_domain_allow: Efacez domenpermiso
destroy_domain_block: Efacez domenobstrukto
@@ -254,6 +257,7 @@ io:
destroy_ip_block: Efacez IP-regulo
destroy_status: Efacez posto
destroy_unavailable_domain: Efacez nedisponebla domeno
+ destroy_user_role: Destruktez rolo
disable_2fa_user: Desaktivigez 2FA
disable_custom_emoji: Desaktivigez kustumizita emocimajo
disable_sign_in_token_auth_user: Desaktivigez retpostofichyurizo por uzanto
@@ -280,24 +284,30 @@ io:
update_announcement: Novigez anunco
update_custom_emoji: Novigez kustumizita emocimajo
update_domain_block: Novigez domenobstrukto
+ update_ip_block: Kreez IP-regulo
update_status: Novigez posto
+ update_user_role: Novigez rolo
actions:
approve_appeal_html: "%{name} aprobis jerdecidapelo de %{target}"
approve_user_html: "%{name} aprobis registro de %{target}"
assigned_to_self_report_html: "%{name} taskigis raporto %{target} a su"
change_email_user_html: "%{name} chanjis retpostoadreso di uzanto %{target}"
+ change_role_user_html: "%{name} chanjis rolo di %{target}"
confirm_user_html: "%{name} konfirmis retpostoadreso di uzanto %{target}"
create_account_warning_html: "%{name} sendis averto a %{target}"
create_announcement_html: "%{name} kreis nova anunco %{target}"
+ create_canonical_email_block_html: "%{name} obstruktis retpostodomeno %{target}"
create_custom_emoji_html: "%{name} adchargis nova emocimajo %{target}"
create_domain_allow_html: "%{name} permisis federato kun domeno %{target}"
create_domain_block_html: "%{name} obstruktis domeno %{target}"
create_email_domain_block_html: "%{name} obstruktis retpostodomeno %{target}"
create_ip_block_html: "%{name} kreis regulo por IP %{target}"
create_unavailable_domain_html: "%{name} cesis sendo a domeno %{target}"
+ create_user_role_html: "%{name} kreis rolo di %{target}"
demote_user_html: "%{name} despromocis uzanto %{target}"
destroy_announcement_html: "%{name} efacis anunco %{target}"
- destroy_custom_emoji_html: "%{name} destruktis emocimajo %{target}"
+ destroy_canonical_email_block_html: "%{name} obstruktis retpostodomeno %{target}"
+ destroy_custom_emoji_html: "%{name} efacis emocimajo %{target}"
destroy_domain_allow_html: "%{name} despermisis federato kun domeno %{target}"
destroy_domain_block_html: "%{name} deobstruktis domeno %{target}"
destroy_email_domain_block_html: "%{name} deobstruktis retpostodomeno %{target}"
@@ -305,6 +315,7 @@ io:
destroy_ip_block_html: "%{name} efacis regulo por IP %{target}"
destroy_status_html: "%{name} efacis posto da %{target}"
destroy_unavailable_domain_html: "%{name} durigis sendo a domeno %{target}"
+ destroy_user_role_html: "%{name} efacis rolo di %{target}"
disable_2fa_user_html: "%{name} desaktivigis 2-faktorbezono por uzanto %{target}"
disable_custom_emoji_html: "%{name} desaktivigis emocimajo %{target}"
disable_sign_in_token_auth_user_html: "%{name} desaktivigis retpostofichyurizo por %{target}"
@@ -331,8 +342,9 @@ io:
update_announcement_html: "%{name} novigis anunco %{target}"
update_custom_emoji_html: "%{name} novigis emocimajo %{target}"
update_domain_block_html: "%{name} novigis domenobstrukto por %{target}"
+ update_ip_block_html: "%{name} kreis regulo por IP %{target}"
update_status_html: "%{name} novigis posto da %{target}"
- deleted_status: "(efacita posto)"
+ update_user_role_html: "%{name} chanjis rolo di %{target}"
empty: Nula logi.
filter_by_action: Filtrez segun ago
filter_by_user: Filtrez segun uzanto
@@ -784,8 +796,8 @@ io:
desc_html: Montresas en flankobaro e metatagi. Deskriptez Mastodon e por quo ca servilo esas specala per 1 paragrafo.
title: Kurta servildeskripto
site_terms:
- desc_html: Vu povas skribar sua privatesguidilo, serveskondicioni e altra legi. Vu povas uzar HTML-tagi
- title: Kustumizita serveskondicioni
+ desc_html: Vu povas adjuntar sua privatesguidilo. Vu povas uzar tagi di HTML
+ title: Kustumizita privatesguidilo
site_title: Site title
thumbnail:
desc_html: Uzesis por previdi tra OpenGraph e API. 1200x630px rekomendesas
@@ -795,7 +807,7 @@ io:
title: Permisez neyurizita aceso a publika tempolineo
title: Site Settings
trendable_by_default:
- desc_html: Efektigas hashtagi quo ante nepermisesis
+ desc_html: Partikulara trendoza kontenajo povas ankore videbla nepermisesar
title: Permisez hashtagi divenies tendencoza sen bezonata kontrolo
trends:
desc_html: Publika montrez antee kontrolita kontenajo quo nun esas tendencoza
@@ -1181,6 +1193,8 @@ io:
edit:
add_keyword: Insertez klefvorto
keywords: Klefvorti
+ statuses: Individuala posti
+ statuses_hint_html: Ca filtrilo aplikesas a selektita posti ne segun kad oli parigesas kun basa klefvorti. Kontrolez o efacez posti de la filtrilo.
title: Modifikez filtrilo
errors:
deprecated_api_multiple_keywords: Ca parametri ne povas chanjesar per ca softwaro pro quo oli efektigas plu kam 1 filtrilklefvorto. Uzez plu recenta softwaro o interretintervizajo.
@@ -1194,10 +1208,23 @@ io:
keywords:
one: "%{count} klefvorto"
other: "%{count} klefvorti"
+ statuses:
+ one: "%{count} posto"
+ other: "%{count} posti"
+ statuses_long:
+ one: "%{count} posto celesas"
+ other: "%{count} posti celesas"
title: Filtrili
new:
save: Salvez nova filtrilo
title: Insertez nova filtrilo
+ statuses:
+ back_to_filter: Retrovenez a filtrilo
+ batch:
+ remove: Efacez de filtrilo
+ index:
+ hint: Ca filtrilo aplikesas a selektita posti ne segun altra kriterio. Vu povas pozar plu multa posti a ca filtrilo de retintervizajo.
+ title: Filtrita posti
footer:
developers: Developeri
more: Pluse…
@@ -1205,12 +1232,22 @@ io:
trending_now: Nuna tendenco
generic:
all: Omna
+ all_items_on_page_selected_html:
+ one: "%{count} kozo sur ca sito selektesas."
+ other: Omna %{count} kozi sur ca sito selektesas.
+ all_matching_items_selected_html:
+ one: "%{count} kozo quo parigesas kun vua trovato selektesas."
+ other: Omna %{count} kozi quo parigesas kun vua trovato selektesas.
changes_saved_msg: Chanji senprobleme konservita!
copy: Kopiez
delete: Efacez
+ deselect: Deselektez omno
none: Nulo
order_by: Asortez quale
save_changes: Konservar la chanji
+ select_all_matching_items:
+ one: Selektez %{count} kozo quo parigesas kun vua trovato.
+ other: Selektez omna %{count} kozi quo parigesas kun vua trovato.
today: hodie
validation_errors:
one: Ulo ne eventis senprobleme! Voluntez konsultar la suba eror-raporto
@@ -1319,17 +1356,6 @@ io:
subject: "%{name} sendis raporto"
sign_up:
subject: "%{name} registris"
- digest:
- action: Videz omna avizi
- body: Yen mikra rezumo di to, depos ke tu laste vizitis en %{since}
- mention: "%{name} mencionis tu en:"
- new_followers_summary:
- one: Tu obtenis nova sequanto! Yey!
- other: Tu obtenis %{count} nova sequanti! Astonive!
- subject:
- one: "1 nova avizo de pos vua antea vizito 🐘"
- other: "%{count} nova avizi de pos vua antea vizito 🐘"
- title: Dum vua neprezenteso...
favourite:
body: "%{name} favoris tua mesajo:"
subject: "%{name} favoris tua mesajo"
@@ -1693,7 +1719,7 @@ io:
- title: Serveskondiconi e Privatesguidilo di %{instance}
+ title: Privatesguidilo di %{instance}
themes:
contrast: Mastodon (Alta kontrasteso)
default: Mastodon (Obskura)
diff --git a/config/locales/is.yml b/config/locales/is.yml
index 943fff632..2448647fa 100644
--- a/config/locales/is.yml
+++ b/config/locales/is.yml
@@ -39,7 +39,6 @@ is:
other: færslur
status_count_before: Sem stóðu fyrir
tagline: Dreift samfélagsnet
- terms: Þjónustuskilmálar
unavailable_content: Ekki tiltækt efni
unavailable_content_description:
domain: Vefþjónn
@@ -235,17 +234,21 @@ is:
approve_user: Samþykkja notanda
assigned_to_self_report: Úthluta kæru
change_email_user: Skipta um tölvupóstfang notanda
+ change_role_user: Breyta hlutverki notanda
confirm_user: Staðfesta notanda
create_account_warning: Útbúa aðvörun
create_announcement: Búa til tilkynningu
+ create_canonical_email_block: Búa til útilokunarblokk tölvupósts
create_custom_emoji: Búa til sérsniðið tjáningartákn
create_domain_allow: Búa til lén leyft
create_domain_block: Búa til útilokun léns
create_email_domain_block: Búa til útilokun tölvupóstléns
create_ip_block: Búa til IP-reglu
create_unavailable_domain: Útbúa lén sem ekki er tiltækt
+ create_user_role: Útbúa hlutverk
demote_user: Lækka notanda í tign
destroy_announcement: Eyða tilkynningu
+ destroy_canonical_email_block: Eyða útilokunarblokk tölvupósts
destroy_custom_emoji: Eyða sérsniðnu tjáningartákni
destroy_domain_allow: Eyða léni leyft
destroy_domain_block: Eyða útilokun léns
@@ -254,6 +257,7 @@ is:
destroy_ip_block: Eyða IP-reglu
destroy_status: Eyða færslu
destroy_unavailable_domain: Eyða léni sem ekki er tiltækt
+ destroy_user_role: Eyða hlutverki
disable_2fa_user: Gera tveggja-þátta auðkenningu óvirka
disable_custom_emoji: Gera sérsniðið tjáningartákn óvirkt
disable_sign_in_token_auth_user: Gera óvirka auðkenningu með teikni í tölvupósti fyrir notandann
@@ -280,24 +284,30 @@ is:
update_announcement: Uppfæra tilkynningu
update_custom_emoji: Uppfæra sérsniðið tjáningartákn
update_domain_block: Uppfæra útilokun léns
+ update_ip_block: Uppfæra reglu IP-vistfangs
update_status: Uppfæra færslu
+ update_user_role: Uppfæra hlutverk
actions:
approve_appeal_html: "%{name} samþykkti áfrýjun á ákvörðun umsjónarmanns frá %{target}"
approve_user_html: "%{name} samþykkti nýskráningu frá %{target}"
assigned_to_self_report_html: "%{name} úthlutaði kæru %{target} til sín"
change_email_user_html: "%{name} breytti tölvupóstfangi fyrir notandann %{target}"
+ change_role_user_html: "%{name} breytti hlutverki %{target}"
confirm_user_html: "%{name} staðfesti tölvupóstfang fyrir notandann %{target}"
create_account_warning_html: "%{name} sendi aðvörun til %{target}"
create_announcement_html: "%{name} útbjó nýja tilkynningu %{target}"
+ create_canonical_email_block_html: "%{name} útilokaði tölvupóst með tætigildið %{target}"
create_custom_emoji_html: "%{name} sendi inn nýtt tjáningartákn %{target}"
create_domain_allow_html: "%{name} leyfði skýjasamband með léninu %{target}"
create_domain_block_html: "%{name} útilokaði lénið %{target}"
create_email_domain_block_html: "%{name} útilokaði póstlénið %{target}"
create_ip_block_html: "%{name} útbjó reglu fyrir IP-vistfangið %{target}"
create_unavailable_domain_html: "%{name} stöðvaði afhendingu til lénsins %{target}"
+ create_user_role_html: "%{name} útbjó %{target} hlutverk"
demote_user_html: "%{name} lækkaði notandann %{target} í tign"
destroy_announcement_html: "%{name} eyddi tilkynninguni %{target}"
- destroy_custom_emoji_html: "%{name} henti út tjáningartákninu %{target}"
+ destroy_canonical_email_block_html: "%{name} tók af útilokun á tölvupósti með tætigildið %{target}"
+ destroy_custom_emoji_html: "%{name} eyddi emoji-tákni %{target}"
destroy_domain_allow_html: "%{name} bannaði skýjasamband með léninu %{target}"
destroy_domain_block_html: "%{name} aflétti útilokun af léninu %{target}"
destroy_email_domain_block_html: "%{name} aflétti útilokun af póstléninu %{target}"
@@ -305,6 +315,7 @@ is:
destroy_ip_block_html: "%{name} eyddi reglu fyrir IP-vistfangið %{target}"
destroy_status_html: "%{name} fjarlægði færslu frá %{target}"
destroy_unavailable_domain_html: "%{name} hóf aftur afhendingu til lénsins %{target}"
+ destroy_user_role_html: "%{name} eyddi hlutverki %{target}"
disable_2fa_user_html: "%{name} gerði kröfu um tveggja-þátta innskráningu óvirka fyrir notandann %{target}"
disable_custom_emoji_html: "%{name} gerði tjáningartáknið %{target} óvirkt"
disable_sign_in_token_auth_user_html: "%{name} gerði óvirka auðkenningu með teikni í tölvupósti fyrir %{target}"
@@ -331,8 +342,9 @@ is:
update_announcement_html: "%{name} uppfærði tilkynningu %{target}"
update_custom_emoji_html: "%{name} uppfærði tjáningartáknið %{target}"
update_domain_block_html: "%{name} uppfærði útilokun lénsins %{target}"
+ update_ip_block_html: "%{name} breytti reglu fyrir IP-vistfangið %{target}"
update_status_html: "%{name} uppfærði færslu frá %{target}"
- deleted_status: "(eydd færsla)"
+ update_user_role_html: "%{name} breytti hlutverki %{target}"
empty: Engar atvikaskrár fundust.
filter_by_action: Sía eftir aðgerð
filter_by_user: Sía eftir notanda
@@ -784,8 +796,8 @@ is:
desc_html: Birt á hliðarspjaldi og í lýsigögnum. Lýstu því hvað Mastodon gerir og hvað það er sem geri þennan vefþjón sérstakan, í einni málsgrein.
title: Stutt lýsing á netþjóninum
site_terms:
- desc_html: Þú getur skrifað þína eigin persónuverndarstefnu, þjónustuskilmála eða annað lagatæknilegt. Þú getur notað HTML-einindi
- title: Sérsniðnir þjónustuskilmálar
+ desc_html: Þú getur skrifað þína eigin persónuverndarstefnu. Nota má HTML-einindi
+ title: Sérsniðin persónuverndarstefna
site_title: Heiti vefþjóns
thumbnail:
desc_html: Notað við forskoðun í gegnum OpenGraph og API-kerfisviðmót. Mælt með 1200×630 mynddílum
@@ -795,11 +807,11 @@ is:
title: Leyfa óauðkenndan aðgang að opinberri tímalínu
title: Stillingar vefsvæðis
trendable_by_default:
- desc_html: Hefur áhrif á myllumerki sem ekki hafa áður verið gerð óleyfileg
- title: Leyfa myllumerkjum að fara í umræðuna án þess að þau séu fyrst yfirfarin
+ desc_html: Sérstakt vinsælt efni er eftir sem áður hægt að banna sérstaklega
+ title: Leyfa vinsælt efni án undanfarandi yfirferðar
trends:
desc_html: Birta opinberlega þau áður yfirförnu myllumerki sem eru núna í umræðunni
- title: Myllumerki í umræðunni
+ title: Vinsælt
site_uploads:
delete: Eyða innsendri skrá
destroyed_msg: Það tókst að eyða innsendingu á vefsvæði!
@@ -1181,6 +1193,8 @@ is:
edit:
add_keyword: Bæta við stikkorði
keywords: Stikkorð
+ statuses: Einstakar færslur
+ statuses_hint_html: Þessi sía virkar til að velja stakar færslur án tillits til annarra skilyrða. Yfirfarðu eða fjarlægðu færslur úr síunni.
title: Breyta síu
errors:
deprecated_api_multiple_keywords: Þessum viðföngum er ekki hægt að breyta úr þessu forriti, þar sem þau eiga við fleiri en eitt stikkorð síu. Notaðu nýrra forrit eða farðu í vefviðmótið.
@@ -1194,10 +1208,23 @@ is:
keywords:
one: "%{count} stikkorð"
other: "%{count} stikkorð"
+ statuses:
+ one: "%{count} færsla"
+ other: "%{count} færslur"
+ statuses_long:
+ one: "%{count} stök færsla falin"
+ other: "%{count} stakar færslur faldar"
title: Síur
new:
save: Vista nýja síu
title: Bæta við nýrri síu
+ statuses:
+ back_to_filter: Til baka í síu
+ batch:
+ remove: Fjarlægja úr síu
+ index:
+ hint: Þessi sía virkar til að velja stakar færslur án tillits til annarra skilyrða. Þú getur bætt fleiri færslum í þessa síu í vefviðmótinu.
+ title: Síaðar færslur
footer:
developers: Forritarar
more: Meira…
@@ -1205,12 +1232,22 @@ is:
trending_now: Í umræðunni núna
generic:
all: Allt
+ all_items_on_page_selected_html:
+ one: "%{count} atriði á þessari síðu er valið."
+ other: Öll %{count} atriðin á þessari síðu eru valin.
+ all_matching_items_selected_html:
+ one: "%{count} atriði sem samsvarar leitinni þinni er valið."
+ other: Öll %{count} atriðin sem samsvara leitinni þinni eru valin.
changes_saved_msg: Það tókst að vista breytingarnar!
copy: Afrita
delete: Eyða
+ deselect: Afvelja allt
none: Ekkert
order_by: Raða eftir
save_changes: Vista breytingar
+ select_all_matching_items:
+ one: Veldu %{count} atriði sem samsvarar leitinni þinni.
+ other: Veldu öll %{count} atriðin sem samsvara leitinni þinni.
today: í dag
validation_errors:
one: Ennþá er ekk alvegi allt í lagi! Skoðaðu vel villuna hér fyrir neðan
@@ -1319,17 +1356,6 @@ is:
subject: "%{name} sendi inn kæru"
sign_up:
subject: "%{name} nýskráði sig"
- digest:
- action: Skoða allar tilkynningar
- body: Hér er stutt yfirlit yfir þau skilaboð sem þú gætir hafa misst af síðan þú leist inn síðast %{since}
- mention: "%{name} minntist á þig í:"
- new_followers_summary:
- one: Að auki, þú hefur fengið einn nýjan fylgjanda á meðan þú varst fjarverandi! Húh!
- other: Að auki, þú hefur fengið %{count} nýja fylgjendur á meðan þú varst fjarverandi! Frábært!
- subject:
- one: "1 ný tilkynning síðan þú leist inn síðast 🐘"
- other: "%{count} nýjar tilkynningar síðan þú leist inn síðast 🐘"
- title: Á meðan þú varst fjarverandi...
favourite:
body: 'Færslan þín var sett í eftirlæti af %{name}:'
subject: "%{name} setti færsluna þína í eftirlæti"
@@ -1692,7 +1718,7 @@ is:
Þetta skjal er CC-BY-SA nptkunarleyfi. Það var síðast uppfært 26. maí 2022.
- title: "%{instance} - Þjónustuskilmálar og persónuverndarstefna"
+ title: Persónuverndarstefna á %{instance}
themes:
contrast: Mastodon (mikil birtuskil)
default: Mastodon (dökkt)
diff --git a/config/locales/it.yml b/config/locales/it.yml
index f269cc542..5e670cb07 100644
--- a/config/locales/it.yml
+++ b/config/locales/it.yml
@@ -28,7 +28,7 @@ it:
learn_more: Scopri altro
logged_in_as_html: Sei correntemente connesso come %{username}.
logout_before_registering: Hai già effettuato l'accesso.
- privacy_policy: Politica della privacy
+ privacy_policy: Politica sulla Privacy
rules: Regole del server
rules_html: 'Di seguito è riportato un riassunto delle regole che devi seguire se vuoi avere un account su questo server di Mastodon:'
see_whats_happening: Guarda cosa succede
@@ -39,7 +39,6 @@ it:
other: stati
status_count_before: Che hanno pubblicato
tagline: Social network decentralizzato
- terms: Termini di Servizio
unavailable_content: Server moderati
unavailable_content_description:
domain: Server
@@ -235,17 +234,21 @@ it:
approve_user: Approva Utente
assigned_to_self_report: Assegna report
change_email_user: Cambia l'e-mail per l'utente
+ change_role_user: Cambia il Ruolo dell'Utente
confirm_user: Conferma utente
create_account_warning: Crea avviso
create_announcement: Crea un annuncio
+ create_canonical_email_block: Crea Blocco E-mail
create_custom_emoji: Crea emoji personalizzata
create_domain_allow: Crea permesso di dominio
create_domain_block: Crea blocco di dominio
create_email_domain_block: Crea blocco dominio e-mail
create_ip_block: Crea regola IP
create_unavailable_domain: Crea dominio non disponibile
+ create_user_role: Crea Ruolo
demote_user: Degrada l'utente
destroy_announcement: Cancella annuncio
+ destroy_canonical_email_block: Elimina Blocco E-mail
destroy_custom_emoji: Cancella emoji personalizzata
destroy_domain_allow: Cancella permesso di dominio
destroy_domain_block: Cancella blocco di dominio
@@ -254,6 +257,7 @@ it:
destroy_ip_block: Elimina regola IP
destroy_status: Cancella stato
destroy_unavailable_domain: Elimina dominio non disponibile
+ destroy_user_role: Distruggi Ruolo
disable_2fa_user: Disabilita l'autenticazione a due fattori
disable_custom_emoji: Disabilita emoji personalizzata
disable_sign_in_token_auth_user: Disabilita autenticazione con codice via email per l'utente
@@ -280,24 +284,30 @@ it:
update_announcement: Aggiorna annuncio
update_custom_emoji: Aggiorna emoji personalizzata
update_domain_block: Aggiorna blocco di dominio
+ update_ip_block: Aggiorna regola IP
update_status: Aggiorna stato
+ update_user_role: Aggiorna Ruolo
actions:
approve_appeal_html: "%{name} ha approvato il ricorso contro la decisione di moderazione da %{target}"
approve_user_html: "%{name} ha approvato la registrazione da %{target}"
assigned_to_self_report_html: "%{name} ha assegnato il rapporto %{target} a se stesso"
change_email_user_html: "%{name} ha cambiato l'indirizzo e-mail dell'utente %{target}"
+ change_role_user_html: "%{name} ha cambiato il ruolo di %{target}"
confirm_user_html: "%{name} ha confermato l'indirizzo e-mail dell'utente %{target}"
create_account_warning_html: "%{name} ha inviato un avviso a %{target}"
create_announcement_html: "%{name} ha creato un nuovo annuncio %{target}"
+ create_canonical_email_block_html: "%{name} ha bloccato l'e-mail con l'hash %{target}"
create_custom_emoji_html: "%{name} ha caricato una nuova emoji %{target}"
create_domain_allow_html: "%{name} ha consentito alla federazione col dominio %{target}"
create_domain_block_html: "%{name} ha bloccato dominio %{target}"
create_email_domain_block_html: "%{name} ha bloccato dominio e-mail %{target}"
create_ip_block_html: "%{name} ha creato una regola per l'IP %{target}"
create_unavailable_domain_html: "%{name} ha interrotto la consegna al dominio %{target}"
+ create_user_role_html: "%{name} ha creato il ruolo %{target}"
demote_user_html: "%{name} ha retrocesso l'utente %{target}"
destroy_announcement_html: "%{name} ha eliminato l'annuncio %{target}"
- destroy_custom_emoji_html: "%{name} ha eliminato emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} ha sbloccato l'email con l'hash %{target}"
+ destroy_custom_emoji_html: "%{name} ha eliminato l'emoji %{target}"
destroy_domain_allow_html: "%{name} ha negato la federazione al dominio %{target}"
destroy_domain_block_html: "%{name} ha sbloccato dominio %{target}"
destroy_email_domain_block_html: "%{name} ha sbloccato il dominio e-mail %{target}"
@@ -305,6 +315,7 @@ it:
destroy_ip_block_html: "%{name} ha eliminato la regola per l'IP %{target}"
destroy_status_html: "%{name} ha eliminato lo status di %{target}"
destroy_unavailable_domain_html: "%{name} ha ripreso la consegna al dominio %{target}"
+ destroy_user_role_html: "%{name} ha eliminato il ruolo %{target}"
disable_2fa_user_html: "%{name} ha disabilitato l'autenticazione a due fattori per l'utente %{target}"
disable_custom_emoji_html: "%{name} ha disabilitato emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} ha disabilitato l'autenticazione con codice via email per %{target}"
@@ -331,8 +342,9 @@ it:
update_announcement_html: "%{name} ha aggiornato l'annuncio %{target}"
update_custom_emoji_html: "%{name} ha aggiornato emoji %{target}"
update_domain_block_html: "%{name} ha aggiornato il blocco dominio per %{target}"
+ update_ip_block_html: "%{name} ha cambiato la regola per l'IP %{target}"
update_status_html: "%{name} ha aggiornato lo status di %{target}"
- deleted_status: "(stato cancellato)"
+ update_user_role_html: "%{name} ha modificato il ruolo %{target}"
empty: Nessun log trovato.
filter_by_action: Filtra per azione
filter_by_user: Filtra per utente
@@ -784,8 +796,8 @@ it:
desc_html: Mostrato nella barra laterale e nei tag meta. Descrive in un paragrafo che cos'è Mastodon e che cosa rende questo server speciale. Se vuoto, sarà usata la descrizione predefinita del server.
title: Breve descrizione del server
site_terms:
- desc_html: Potete scrivere la vostra politica sulla privacy, condizioni del servizio o altre informazioni legali. Potete usare tag HTML
- title: Termini di servizio personalizzati
+ desc_html: Puoi scrivere la tua politica sulla privacy. Puoi usare i tag HTML
+ title: Politica sulla privacy personalizzata
site_title: Nome del server
thumbnail:
desc_html: Usato per anteprime tramite OpenGraph e API. 1200x630px consigliati
@@ -795,8 +807,8 @@ it:
title: Anteprima timeline
title: Impostazioni sito
trendable_by_default:
- desc_html: Interessa gli hashtag che non sono stati precedentemente disattivati
- title: Permetti agli hashtag di comparire nei trend senza prima controllarli
+ desc_html: I contenuti di tendenza specifici possono ancora essere esplicitamente vietati
+ title: Consenti tendenze senza controllo preliminare
trends:
desc_html: Visualizza pubblicamente gli hashtag precedentemente esaminati che sono attualmente in tendenza
title: Hashtag di tendenza
@@ -1183,6 +1195,8 @@ it:
edit:
add_keyword: Aggiungi parola chiave
keywords: Parole chiave
+ statuses: Post singoli
+ statuses_hint_html: Questo filtro si applica a singoli post indipendentemente dal fatto che corrispondano alle parole chiave qui sotto. Rivedi o rimuovi i post dal filtro.
title: Modifica filtro
errors:
deprecated_api_multiple_keywords: Questi parametri non possono essere modificati da questa applicazione perché si applicano a più di una parola chiave che fa da filtro. Utilizzare un'applicazione più recente o l'interfaccia web.
@@ -1196,10 +1210,23 @@ it:
keywords:
one: "%{count} parola chiave"
other: "%{count} parole chiave"
+ statuses:
+ one: "%{count} post"
+ other: "%{count} post"
+ statuses_long:
+ one: "%{count} singolo post nascosto"
+ other: "%{count} singoli post nascosti"
title: Filtri
new:
save: Salva nuovo filtro
title: Aggiungi filtro
+ statuses:
+ back_to_filter: Torna al filtro
+ batch:
+ remove: Togli dal filtro
+ index:
+ hint: Questo filtro si applica a singoli post indipendentemente da altri criteri. Puoi aggiungere più post a questo filtro dall'interfaccia Web.
+ title: Post filtrati
footer:
developers: Sviluppatori
more: Altro…
@@ -1207,12 +1234,22 @@ it:
trending_now: Di tendenza ora
generic:
all: Tutto
+ all_items_on_page_selected_html:
+ one: "%{count} elemento su questa pagina è selezionato."
+ other: Tutti i %{count} elementi su questa pagina sono selezionati.
+ all_matching_items_selected_html:
+ one: "%{count} elemento corrispondente alla tua ricerca è selezionato."
+ other: Tutti i %{count} elementi corrispondenti alla tua ricerca sono selezionati.
changes_saved_msg: Modifiche effettuate con successo!
copy: Copia
delete: Cancella
+ deselect: Deseleziona tutto
none: Nessuno
order_by: Ordina per
save_changes: Salva modifiche
+ select_all_matching_items:
+ one: Seleziona %{count} elemento corrispondente alla tua ricerca.
+ other: Seleziona tutti gli elementi %{count} corrispondenti alla tua ricerca.
today: oggi
validation_errors:
one: Qualcosa ancora non va bene! Per favore, controlla l'errore qui sotto
@@ -1321,17 +1358,6 @@ it:
subject: "%{name} ha inviato una segnalazione"
sign_up:
subject: "%{name} si è iscritto"
- digest:
- action: Vedi tutte le notifiche
- body: Ecco un breve riassunto di quello che ti sei perso dalla tua ultima visita del %{since}
- mention: "%{name} ti ha menzionato:"
- new_followers_summary:
- one: E inoltre hai ricevuto un nuovo seguace mentre eri assente! Urrà!
- other: Inoltre, hai acquisito %{count} nuovi seguaci mentre eri assente! Incredibile!
- subject:
- one: "1 nuova notifica dalla tua ultima visita 🐘"
- other: "%{count} nuove notifiche dalla tua ultima visita 🐘"
- title: In tua assenza…
favourite:
body: 'Il tuo status è stato apprezzato da %{name}:'
subject: "%{name} ha apprezzato il tuo status"
@@ -1694,7 +1720,7 @@ it:
Questo documento è CC-BY-SA. L'ultimo aggiornamento è del 26 maggio 2022.
- title: "%{instance} 利用規約・プライバシーポリシー"
+ title: "%{instance}のプライバシーポリシー"
themes:
contrast: Mastodon (ハイコントラスト)
default: Mastodon (ダーク)
diff --git a/config/locales/ka.yml b/config/locales/ka.yml
index 9948ae493..64b0419ed 100644
--- a/config/locales/ka.yml
+++ b/config/locales/ka.yml
@@ -13,10 +13,8 @@ ka:
documentation: დოკუმენტაცია
hosted_on: მასტოდონს მასპინძლობს %{domain}
learn_more: გაიგე მეტი
- privacy_policy: კონფიდენციალურობის პოლიტიკა
source_code: კოდი
status_count_before: ვინც უავტორა
- terms: მომსახურების პირობები
user_count_before: სახლი
what_is_mastodon: რა არის მასტოდონი?
accounts:
@@ -115,7 +113,6 @@ ka:
username: მომხმარებლის სახელი
web: ვები
action_logs:
- deleted_status: "(გაუქმებული სტატუსი)"
title: აუდიტის ლოგი
custom_emojis:
by_domain: დომენი
@@ -257,9 +254,6 @@ ka:
site_short_description:
desc_html: გამოჩნდება გვერდით ბარში და მეტა ტეგებში. აღწერეთ თუ რა არის მასტოდონი და რა ხდის ამ სერვერს უნიკალურს ერთ პარაგრაფში. თუ ცარიელია, გამოჩნდება ინსტანციის აღწერილობა.
title: აჩვენეთ ინსტანციის აღწერილობა
- site_terms:
- desc_html: შეგიძლიათ დაწეროთ საკუთარი კონფიდენციალურობის პოლიტიკა, მომსახურების პირობები ან სხვა იურიდიული დოკუმენტი. შეგიძლიათ გამოიყენოთ ჰტმლ ტეგები
- title: პერსონალიზირებული მომსახურების პირობები
site_title: ინსტანციის სახელი
thumbnail:
desc_html: გამოიყენება პრევიუებისთვის ოუფენ-გრეფში და აპი-ში. 1200/630პიქს. რეკომენდირებული
@@ -438,14 +432,6 @@ ka:
moderation:
title: მოდერაცია
notification_mailer:
- digest:
- action: ყველა შეტყობინების ჩვენება
- body: 'აქ მოკლე შინაარსია წერილების, რომლებიც გამოგეპარათ წინა სტუმრობის შემდეგ: %{since}'
- mention: "%{name}-მა დაგასახელათ:"
- new_followers_summary:
- one: ასევე, არყოფნისას შეგეძინათ ერთი ახალი მიმდევარი! იეი!
- other: ასევე, არყოფნისას შეგეძინათ %{count} ახალი მიმდევარი! შესანიშნავია!
- title: თქვენს არყოფნაში...
favourite:
body: 'თქვენი სტატუსი ფავორიტი გახადა %{name}-მა:'
subject: "%{name}-მა თქვენი სტატუსი გახადა ფავორიტი"
@@ -576,8 +562,6 @@ ka:
pinned: აპინული ტუტი
reblogged: გაზრდილი
sensitive_content: მგრძნობიარე კონტენტი
- terms:
- title: "%{instance} მომსახურების პირობები და კონფიდენციალურობის პოლიტიკა"
themes:
contrast: მაღალი კონტრასტი
default: მასტოდონი
diff --git a/config/locales/kab.yml b/config/locales/kab.yml
index 4fac9a796..cda77cb6e 100644
--- a/config/locales/kab.yml
+++ b/config/locales/kab.yml
@@ -20,7 +20,6 @@ kab:
get_apps: Ɛreḍ asnas aziraz
hosted_on: Maṣṭudun yersen deg %{domain}
learn_more: Issin ugar
- privacy_policy: Tasertit tabaḍnit
rules: Ilugan n uqeddac
see_whats_happening: Ẓer d acu i iḍerrun
server_stats: 'Tidaddanin n uqeddac:'
@@ -29,7 +28,6 @@ kab:
one: n tsuffeɣt
other: n tsuffiɣin
status_count_before: I d-yessuffɣen
- terms: Tiwetlin n useqdec
unavailable_content: Ulac agbur
unavailable_content_description:
domain: Aqeddac
@@ -223,7 +221,6 @@ kab:
create_unavailable_domain_html: "%{name} iseḥbes asiweḍ ɣer taɣult %{target}"
demote_user_html: "%{name} iṣubb-d deg usellun aseqdac %{target}"
destroy_announcement_html: "%{name} yekkes taselɣut %{target}"
- destroy_custom_emoji_html: "%{name} ihudd imuji %{target}"
destroy_domain_allow_html: "%{name} yekkes taɣult %{target} seg tebdart tamellalt"
destroy_domain_block_html: "%{name} yekkes aseḥbes n taɣult %{target}"
destroy_email_domain_block_html: "%{name} yekkes asewḥel i taɣult n imayl %{target}"
@@ -247,7 +244,6 @@ kab:
update_custom_emoji_html: "%{name} ileqqem imuji %{target}"
update_domain_block_html: "%{name} ileqqem iḥder n taɣult i %{target}"
update_status_html: "%{name} ileqqem tasufeɣt n %{target}"
- deleted_status: "(tasuffeɣt tettwakkes)"
empty: Ulac iɣmisen i yellan.
filter_by_action: Fren s tigawt
filter_by_user: Sizdeg s useqdac
@@ -632,9 +628,6 @@ kab:
incoming_migrations: Tusiḍ-d seg umiḍan nniḍen
proceed_with_move: Awid imeḍfaṛen-ik
notification_mailer:
- digest:
- action: Wali akk tilγa
- mention: 'Yuder-ik-id %{name} deg:'
favourite:
subject: "%{name} yesmenyaf addad-ik·im"
follow:
@@ -794,8 +787,6 @@ kab:
stream_entries:
pinned: Tijewwiqt yettwasentḍen
sensitive_content: Agbur amḥulfu
- terms:
- title: Tiwtilin n useqdec akked tsertit tabaḍnit n %{instance}
themes:
contrast: Maṣṭudun (agnil awriran)
default: Maṣṭudun (Aberkan)
diff --git a/config/locales/kk.yml b/config/locales/kk.yml
index b12f79163..939e3c520 100644
--- a/config/locales/kk.yml
+++ b/config/locales/kk.yml
@@ -24,7 +24,6 @@ kk:
Бұл аккаунт кез-келген жеке пайдаланушыны емес, сервердің өзін көрсету үшін қолданылатын виртуалды актер.
Ол федерация мақсаттарында қолданылады және сіз барлығын бұғаттағыңыз келмейінше, бұғатталмауы керек, бұл жағдайда сіз домен блогын қолданған жөн.
learn_more: Көбірек білу
- privacy_policy: Құпиялылық саясаты
see_whats_happening: Не болып жатқанын қараңыз
server_stats: 'Сервер статистикасы:'
source_code: Ашық коды
@@ -32,7 +31,6 @@ kk:
one: жазба
other: жазба
status_count_before: Барлығы
- terms: Қолдану шарттары
unavailable_content: Қолжетімсіз контент
unavailable_content_description:
domain: Сервер
@@ -175,7 +173,6 @@ kk:
web: Веб
whitelisted: Рұқсат тізімі
action_logs:
- deleted_status: "(өшірілген жазба)"
title: Аудит логы
announcements:
destroyed_msg: Анонс сәтті өшірілді!
@@ -394,9 +391,6 @@ kk:
site_short_description:
desc_html: Displayed in sidebar and meta tags. Describe what Mastodon is and what makes this server special in a single paragraph. If empty, defaults to сервер description.
title: Short сервер description
- site_terms:
- desc_html: You can write your own privacy policy, terms of service or other legalese. You can use HTML тег
- title: Қолдану шарттары мен ережелер
site_title: Сервер аты
thumbnail:
desc_html: Used for previews via OpenGraph and API. 1200x630px рекоменделеді
@@ -405,9 +399,6 @@ kk:
desc_html: Display public timeline on лендинг пейдж
title: Таймлайн превьюі
title: Сайт баптаулары
- trendable_by_default:
- desc_html: Бұрын тыйым салынбаған хэштегтерге әсер етеді
- title: Хэштегтерге алдын-ала шолусыз тренд беруге рұқсат етіңіз
trends:
desc_html: Бұрын қарастырылған хэштегтерді қазіргі уақытта трендте көпшілікке көрсету
title: Тренд хештегтер
@@ -685,14 +676,6 @@ kk:
moderation:
title: Модерация
notification_mailer:
- digest:
- action: Барлық ескертпелер
- body: Міне, соңғы кірген уақыттан кейін келген хаттардың қысқаша мазмұны %{since}
- mention: "%{name} сізді атап өтіпті:"
- new_followers_summary:
- one: Сондай-ақ, сіз бір жаңа оқырман таптыңыз! Алақай!
- other: Сондай-ақ, сіз %{count} жаңа оқырман таптыңыз! Керемет!
- title: Сіз жоқ кезде...
favourite:
body: 'Жазбаңызды ұнатып, таңдаулыға қосты %{name}:'
subject: "%{name} жазбаңызды таңдаулыға қосты"
@@ -892,8 +875,6 @@ kk:
sensitive_content: Нәзік мазмұн
tags:
does_not_match_previous_name: алдыңғы атқа сәйкес келмейді
- terms:
- title: "%{instance} Қызмет көрсету шарттары және Құпиялылық саясаты"
themes:
contrast: Mastodon (Жоғары контраст)
default: Mastodon (Қою)
diff --git a/config/locales/ko.yml b/config/locales/ko.yml
index f290318a6..946784a03 100644
--- a/config/locales/ko.yml
+++ b/config/locales/ko.yml
@@ -28,7 +28,7 @@ ko:
learn_more: 자세히
logged_in_as_html: 현재 %{username}으로 로그인 했습니다.
logout_before_registering: 이미 로그인 했습니다.
- privacy_policy: 개인정보 정책
+ privacy_policy: 개인정보 처리방침
rules: 서버 규칙
rules_html: '아래의 글은 이 마스토돈 서버에 계정이 있다면 따라야 할 규칙의 요약입니다:'
see_whats_happening: 무슨 일이 일어나는 지 보기
@@ -38,7 +38,6 @@ ko:
other: 개
status_count_before: 게시물 수
tagline: 분산화된 소셜 네트워크
- terms: 이용약관
unavailable_content: 이용 불가능한 컨텐츠
unavailable_content_description:
domain: 서버
@@ -230,17 +229,21 @@ ko:
approve_user: 사용자 승인
assigned_to_self_report: 신고 맡기
change_email_user: 사용자의 이메일 변경
+ change_role_user: 사용자 역할 변경
confirm_user: 사용자 확인
create_account_warning: 경고 생성
create_announcement: 공지사항 생성
+ create_canonical_email_block: 이메일 차단 생성
create_custom_emoji: 커스텀 에모지 생성
create_domain_allow: 도메인 허용 생성
create_domain_block: 도메인 차단 추가
create_email_domain_block: 이메일 도메인 차단 생성
create_ip_block: IP 규칙 만들기
create_unavailable_domain: 사용 불가능한 도메인 생성
+ create_user_role: 역할 생성
demote_user: 사용자 강등
destroy_announcement: 공지사항 삭제
+ destroy_canonical_email_block: 이메일 차단 삭제
destroy_custom_emoji: 커스텀 에모지 삭제
destroy_domain_allow: 도메인 허용 삭제
destroy_domain_block: 도메인 차단 삭제
@@ -249,6 +252,7 @@ ko:
destroy_ip_block: IP 규칙 삭제
destroy_status: 게시물 삭제
destroy_unavailable_domain: 사용 불가능한 도메인 제거
+ destroy_user_role: 역할 삭제
disable_2fa_user: 2단계 인증 비활성화
disable_custom_emoji: 커스텀 에모지 비활성화
disable_sign_in_token_auth_user: 사용자에 대한 이메일 토큰 인증 비활성화
@@ -275,24 +279,30 @@ ko:
update_announcement: 공지사항 업데이트
update_custom_emoji: 커스텀 에모지 업데이트
update_domain_block: 도메인 차단 갱신
+ update_ip_block: IP 규칙 수정
update_status: 게시물 게시
+ update_user_role: 역할 수정
actions:
approve_appeal_html: "%{name} 님이 %{target}의 중재 결정에 대한 이의제기를 승인했습니다"
approve_user_html: "%{name} 님이 %{target}의 가입을 승인했습니다"
assigned_to_self_report_html: "%{name} 님이 신고 %{target}을 자신에게 할당했습니다"
change_email_user_html: "%{name} 님이 사용자 %{target}의 이메일 주소를 변경했습니다"
+ change_role_user_html: "%{name} 님이 %{target} 님의 역할을 수정했습니다"
confirm_user_html: "%{name} 님이 사용자 %{target}의 이메일 주소를 승인했습니다"
create_account_warning_html: "%{name} 님이 %{target}에게 경고를 보냈습니다"
create_announcement_html: "%{name} 님이 새 공지 %{target}을 만들었습니다"
+ create_canonical_email_block_html: "%{name} 님이 %{target} 해시를 가진 이메일을 차단했습니다"
create_custom_emoji_html: "%{name} 님이 새로운 에모지 %{target}를 업로드 했습니다"
create_domain_allow_html: "%{name} 님이 %{target} 도메인을 허용리스트에 넣었습니다"
create_domain_block_html: "%{name} 님이 도메인 %{target}를 차단했습니다"
create_email_domain_block_html: "%{name} 님이 이메일 도메인 %{target}를 차단했습니다"
create_ip_block_html: "%{name} 님이 IP 규칙 %{target}을 만들었습니다"
create_unavailable_domain_html: "%{name} 님이 도메인 %{target}에 대한 전달을 중지했습니다"
+ create_user_role_html: "%{name} 님이 %{target} 역할을 생성했습니다"
demote_user_html: "%{name} 님이 사용자 %{target} 님을 강등했습니다"
destroy_announcement_html: "%{name} 님이 공지 %{target}을 삭제했습니다"
- destroy_custom_emoji_html: "%{name} 님이 %{target} 에모지를 삭제했습니다"
+ destroy_canonical_email_block_html: "%{name} 님이 %{target} 해시를 가진 이메일을 차단 해제했습니다"
+ destroy_custom_emoji_html: "%{name} 님이 에모지 %{target}를 삭제했습니다"
destroy_domain_allow_html: "%{name} 님이 %{target} 도메인과의 연합을 금지했습니다"
destroy_domain_block_html: "%{name} 님이 도메인 %{target}의 차단을 해제했습니다"
destroy_email_domain_block_html: "%{name} 님이 이메일 도메인 %{target}을 차단 해제하였습니다"
@@ -300,6 +310,7 @@ ko:
destroy_ip_block_html: "%{name} 님이 IP 규칙 %{target}을 삭제하였습니다"
destroy_status_html: "%{name} 님이 %{target}의 게시물을 삭제했습니다"
destroy_unavailable_domain_html: "%{name} 님이 도메인 %{target}에 대한 전달을 재개"
+ destroy_user_role_html: "%{name} 님이 %{target} 역할을 삭제했습니다"
disable_2fa_user_html: "%{name} 님이 사용자 %{target}의 2FA를 비활성화 했습니다"
disable_custom_emoji_html: "%{name} 님이 에모지 %{target}를 비활성화 했습니다"
disable_sign_in_token_auth_user_html: "%{name} 님이 %{target} 님의 이메일 토큰 인증을 비활성화 했습니다"
@@ -326,8 +337,9 @@ ko:
update_announcement_html: "%{name} 님이 공지사항 %{target}을 갱신했습니다"
update_custom_emoji_html: "%{name} 님이 에모지 %{target}를 업데이트 했습니다"
update_domain_block_html: "%{name} 님이 %{target}에 대한 도메인 차단을 갱신했습니다"
+ update_ip_block_html: "%{name} 님이 IP 규칙 %{target}을 수정했습니다"
update_status_html: "%{name} 님이 %{target}의 게시물을 업데이트 했습니다"
- deleted_status: "(삭제된 게시물)"
+ update_user_role_html: "%{name} 님이 %{target} 역할을 수정했습니다"
empty: 로그를 찾을 수 없습니다
filter_by_action: 행동으로 거르기
filter_by_user: 사용자로 거르기
@@ -770,8 +782,8 @@ ko:
desc_html: 사이드바와 메타 태그에 나타납니다. 마스토돈이 무엇이고 이 서버의 특징은 무엇인지 한 문장으로 설명하세요.
title: 짧은 서버 설명
site_terms:
- desc_html: 당신은 독자적인 개인정보 취급 방침이나 이용약관, 그 외의 법적 근거를 작성할 수 있습니다. HTML태그를 사용할 수 있습니다
- title: 커스텀 서비스 이용 약관
+ desc_html: 자신만의 개인정보 처리방침을 작성할 수 있습니다. HTML 태그를 사용할 수 있습니다
+ title: 사용자 지정 개인정보 처리방침
site_title: 서버 이름
thumbnail:
desc_html: OpenGraph와 API의 미리보기로 사용 됩니다. 1200x630px을 권장합니다
@@ -781,8 +793,8 @@ ko:
title: 타임라인 프리뷰
title: 사이트 설정
trendable_by_default:
- desc_html: 이전에 거부되지 않은 해시태그들에 영향을 미칩니다
- title: 해시태그가 사전 리뷰 없이 트렌드에 올라갈 수 있도록 허용
+ desc_html: 특정 트렌드를 허용시키지 않는 것은 여전히 가능합니다
+ title: 사전 리뷰 없이 트렌드에 오르는 것을 허용
trends:
desc_html: 리뷰를 거친 해시태그를 유행하는 해시태그에 공개적으로 보여줍니다
title: 유행하는 해시태그
@@ -1163,6 +1175,8 @@ ko:
edit:
add_keyword: 키워드 추가
keywords: 키워드
+ statuses: 개별 게시물
+ statuses_hint_html: 이 필터는 아래의 키워드에 매칭되는지 여부와 관계 없이 몇몇개의 게시물들에 별개로 적용되었습니다. 검토하거나 필터에서 삭제하세요
title: 필터 편집
errors:
deprecated_api_multiple_keywords: 이 파라미터들은 하나를 초과하는 필터 키워드에 적용되기 때문에 이 응용프로그램에서 수정될 수 없습니다. 더 최신의 응용프로그램이나 웹 인터페이스를 사용하세요.
@@ -1175,10 +1189,21 @@ ko:
expires_on: "%{date}에 만료됨"
keywords:
other: "%{count}개의 키워드"
+ statuses:
+ other: "%{count}개의 게시물"
+ statuses_long:
+ other: "%{count}개의 개별적인 게시물 숨겨짐"
title: 필터
new:
save: 새 필터 저장
title: 필터 추가
+ statuses:
+ back_to_filter: 필터로 돌아가기
+ batch:
+ remove: 필터에서 제거
+ index:
+ hint: 이 필터는 다른 기준에 관계 없이 선택된 개별적인 게시물들에 적용됩니다. 웹 인터페이스에서 더 많은 게시물들을 이 필터에 추가할 수 있습니다.
+ title: 필터링된 게시물
footer:
developers: 개발자
more: 더 보기…
@@ -1186,12 +1211,19 @@ ko:
trending_now: 지금 유행중
generic:
all: 모두
+ all_items_on_page_selected_html:
+ other: 현재 페이지에서 %{count} 개의 항목이 선택되었습니다
+ all_matching_items_selected_html:
+ other: 검색에 잡히는 %{count} 개의 항목이 선택되었습니다
changes_saved_msg: 정상적으로 변경되었습니다!
copy: 복사
delete: 삭제
+ deselect: 전체 선택 해제
none: 없음
order_by: 순서
save_changes: 변경 사항을 저장
+ select_all_matching_items:
+ other: 검색에 잡힌 %{count} 개의 항목을 모두 선택하기
today: 오늘
validation_errors:
other: 오류가 발생했습니다. 아래 %{count}개 오류를 확인해 주십시오
@@ -1298,15 +1330,6 @@ ko:
subject: "%{name} 님이 신고를 제출했습니다"
sign_up:
subject: "%{name} 님이 가입했습니다"
- digest:
- action: 모든 알림 보기
- body: 마지막 로그인(%{since}) 이후로 일어난 일들에 관한 요약
- mention: "%{name} 님이 나를 언급했습니다:"
- new_followers_summary:
- other: 게다가, 접속하지 않은 동안 %{count} 명의 팔로워가 생겼습니다!
- subject:
- other: 마지막 방문 이후로 %{count} 건의 새로운 알림
- title: 당신이 없는 동안에...
favourite:
body: '당신의 게시물을 %{name} 님이 마음에 들어했습니다:'
subject: "%{name} 님이 내 게시물을 마음에 들어했습니다"
@@ -1663,7 +1686,7 @@ ko:
이 문서는 CC-BY-SA 라이센스입니다. 마지막 업데이트는 2012년 5월 26일입니다.
- title: "%{instance} 이용약관과 개인정보 취급 방침"
+ title: "%{instance} 개인정보 처리방침"
themes:
contrast: 마스토돈 (고대비)
default: 마스토돈 (어두움)
diff --git a/config/locales/ku.yml b/config/locales/ku.yml
index ccc70d9c5..2dcba64dd 100644
--- a/config/locales/ku.yml
+++ b/config/locales/ku.yml
@@ -19,16 +19,16 @@ ku:
continue_to_web: Bo malpera sepanê bidomîne
discover_users: Bikarhêneran keşf bike
documentation: Pelbend
- federation_hint_html: Bi ajimêrê xwe %{instance} re tu dikarî kesên rajekar û li derveyî mastodonê bişopînî.
+ federation_hint_html: Bi ajimêrê xwe %{instance} re tu dikarî kesên ji her kîjan rajekarê mastodonê bişopînî.
get_apps: Sepaneke mobîl bicerbîne
hosted_on: Mastodon li ser %{domain} tê pêşkêşkirin
- instance_actor_flash: 'Ev ajimêr aktorekî aşopî ye ji bo rajekar were temsîl kirin tê bikaranîn ne ajimêra kesî ye. Ji bo armanca federasyonê dixebite û divê ney asteng kirin heta ku te xwest hemû nimûneyan asteng bikî, di vir de ger tu blogek navper bikarbînî.
+ instance_actor_flash: 'Ev ajimêr şanogereke aşopî ye ji bo rajekar were naskirin tê bikaranîn ne ajimêra kesî ye. Ji bo armanca giştî dixebite û divê neye astengkirin heya ku te xwest hemû mînakan asteng bikî, di vir de ku tu navpereke astengiyê bi kar bînî.
'
learn_more: Bêtir fêr bibe
logged_in_as_html: Tu niha wekî %{username} têketî ye.
logout_before_registering: Jixwe te berê têketin kiriye.
- privacy_policy: Polîtikaya nihêniyê
+ privacy_policy: Politîka taybetiyê
rules: Rêbazên rajekar
rules_html: 'Heger tu bixwazî ajimêrekî li ser rajekarê mastodon vebikî, li jêrê de kurtasî ya qaîdeyên ku tu guh bidî heye:'
see_whats_happening: Binêre ka çi diqewime
@@ -39,7 +39,6 @@ ku:
other: şandî
status_count_before: Hatin weşan
tagline: Tora civakî ya nenavendî
- terms: Peyama mercan
unavailable_content: Rajekarên li hev kirî
unavailable_content_description:
domain: Rajekar
@@ -58,14 +57,14 @@ ku:
what_is_mastodon: Mastodon çi ye?
accounts:
choices_html: 'Hilbijartina %{name}:'
- endorsements_hint: Tu dikarî kesên ku di navrûyê wep de dişopînî bipejirînî û ew li vir were nîşan kirin.
- featured_tags_hint: Tu dikarî hashtagên teybetî li vir tê nîşan kirin di pê de derxî.
+ endorsements_hint: Tu dikarî kesên ku di navrûya tevnê de dişopînî bipejirînî û ew ê li vir were nîşankirin.
+ featured_tags_hint: Tu dikarî hashtagên taybet ên ku wê li vir werin nîşandan bibînî.
follow: Bişopîne
followers:
one: Şopîner
other: Şopîner
following: Dişopîne
- instance_actor_flash: Ev ajimêr listikvaneke rastkî ye ku ji bo wek nûnerê rajekar bixwe tê bikaranîn û ne bikarhênerek kesane. Ew ji bo mebestên yekbûyî tê bikaranîn û divê neyê rawestandin.
+ instance_actor_flash: Ev ajimêr listikvaneke rastkî ye ku ji bo wek nûnerê rajekar bixwe tê bikaranîn û ne bikarhênerek kesane. Ew ji bo mebestên giştî tê bikaranîn û divê neyê rawestandin.
joined: Di %{date} de tevlî bû
last_active: çalakiya dawî
link_verified_on: Xwedaniya li vê girêdanê di %{date} de hatiye kontrolkirin
@@ -73,7 +72,7 @@ ku:
moved_html: "%{name} bar kire %{new_profile_link}:"
network_hidden: Ev zanyarî berdest nîne
nothing_here: Li vir tiştek tune ye!
- people_followed_by: Kesên ku%{name} wan dişopîne
+ people_followed_by: Kesên ku %{name} wan dişopîne
people_who_follow: Kesên%{name} dişopîne
pin_errors:
following: Kesê ku tu dixwazî bipejirînî jixwe tu vê dişopînî
@@ -228,24 +227,28 @@ ku:
view_domain: Kurte ji bo navperê bide nîşan
warn: Hişyarî
web: Tevn
- whitelisted: Ji bona yekbûyînê maf tê dayîn
+ whitelisted: Ji bo demnameya giştî maf hate dayin
action_logs:
action_types:
approve_appeal: Îtîrazê bipejirîne
approve_user: Bikarhêner bipejirîne
assigned_to_self_report: Ragihandinê diyar bike
change_email_user: E-nameya bikarhêner biguherîne
+ change_role_user: Rola bikarhêner biguherîne
confirm_user: Bikarhêner bipejirîne
create_account_warning: Hişyariyekê çê bike
create_announcement: Daxûyaniyekê çê bike
+ create_canonical_email_block: Astengkirina e-nameyê biafirîne
create_custom_emoji: Emojiyên kesanekirî çê bike
create_domain_allow: Navpera ku destûr standiye peyda bike
create_domain_block: Navpera ku asteng bûye ava bike
create_email_domain_block: Navpera e-name yê de asteng kirinê peyda bike
create_ip_block: Rêziknameya IPyê saz bike
create_unavailable_domain: Navpera ku nayê bikaranîn pêk bîne
+ create_user_role: Rolê biafirîne
demote_user: Bikarhênerê kaşê jêr bike
destroy_announcement: Daxûyanîyê jê bibe
+ destroy_canonical_email_block: Astengkirina e-nameyê jê bibe
destroy_custom_emoji: Emojîya kesanekirî jê bibe
destroy_domain_allow: Navperên mafdayî jê bibe
destroy_domain_block: Navperên astengkirî jê bibe
@@ -254,6 +257,7 @@ ku:
destroy_ip_block: Tomara IPyê jêbibe
destroy_status: Şandiyê jê bibe
destroy_unavailable_domain: Navperên tuneyî jê bibe
+ destroy_user_role: Rolê hilweşîne
disable_2fa_user: 2FA neçalak bike
disable_custom_emoji: Emojîya kesanekirî neçalak bike
disable_sign_in_token_auth_user: Ji bo bikarhênerê piştrastkirina navnîşana e-name yê ya token neçalak bike
@@ -280,31 +284,38 @@ ku:
update_announcement: Daxûyaniyê rojane bike
update_custom_emoji: Emojîya kesanekirî rojane bike
update_domain_block: Navperên astengkirî rojane bike
+ update_ip_block: Rolê IP rojane bike
update_status: Şandiyê rojane bike
+ update_user_role: Rolê rojane bike
actions:
approve_appeal_html: "%{name} îtiraza biryara çavdêriyê ji %{target} pejirand"
approve_user_html: "%{name} tomarkirina ji %{target} pejirand"
assigned_to_self_report_html: "%{name} ji xwe re ragihandinek %{target} hilda"
change_email_user_html: "%{name} navnîşana e-nameya bikarhêner %{target} guherand"
+ change_role_user_html: "%{name} rolê %{target} guhert"
confirm_user_html: "%{name} navnîşana e-nameya bikarhêner %{target} piştrast kir"
create_account_warning_html: "%{name} ji bo %{target} hişyariyek şand"
create_announcement_html: "%{name} agahdarkirineke nû çêkir %{target}"
+ create_canonical_email_block_html: "%{name} bi riya dabeşkirinê e-nameya %{target} asteng kir"
create_custom_emoji_html: "%{name} emojîyeke nû ya %{target} bar kir"
- create_domain_allow_html: "%{name} bi navperê %{target} re maf da federeyê"
+ create_domain_allow_html: "%{name} bi navperê %{target} re maf da demnameya giştî"
create_domain_block_html: "%{name} navpera %{target} asteng kir"
create_email_domain_block_html: "%{name} e-nameya navperê %{target} asteng kir"
create_ip_block_html: "%{name} ji bo IPya %{target} rêzikname saz kir"
create_unavailable_domain_html: "%{name} bi navperê %{target} re gihandinê rawestand"
+ create_user_role_html: "%{name} rola %{target} afirand"
demote_user_html: "%{name} bikarhênerê %{target} kaşê jêr kir"
destroy_announcement_html: "%{name} daxûyaniyeke %{target} jê bir"
- destroy_custom_emoji_html: "%{name} emojiya %{target} tune kir"
- destroy_domain_allow_html: "%{name} bi navperê %{target} re maf neda federeyê"
+ destroy_canonical_email_block_html: "%{name} bi riya dabeşkirinê astengiya li ser e-nameya %{target} rakir"
+ destroy_custom_emoji_html: "%{name} emojiya %{target} jê bir"
+ destroy_domain_allow_html: "%{name} bi navperê %{target} re maf neda demnameya giştî"
destroy_domain_block_html: "%{name} navpera %{target} asteng kir"
destroy_email_domain_block_html: "%{name} astengiya li ser navpera e-nameyê %{target} rakir"
destroy_instance_html: "%{name} navpera %{target} asteng kir"
destroy_ip_block_html: "%{name}, ji bo IPya %{target} rêziknameyê jêbir"
destroy_status_html: "%{name} ji alîyê %{target} ve şandiyê rakir"
destroy_unavailable_domain_html: "%{name} bi navperê %{target} re gihandinê berdewam kir"
+ destroy_user_role_html: "%{name} rola %{target} jê bir"
disable_2fa_user_html: "%{name} ji bo bikarhênerê %{target} du faktorî neçalak kir"
disable_custom_emoji_html: "%{name} emojiya %{target} neçalak kir"
disable_sign_in_token_auth_user_html: "%{name} ji bo %{target} nîşana mafdayîna e-nameya ne çalak kir"
@@ -331,8 +342,9 @@ ku:
update_announcement_html: "%{name} daxûyaniya %{target} rojane kir"
update_custom_emoji_html: "%{name} emojiya %{target} rojane kir"
update_domain_block_html: "%{name} ji bo navpera %{target} astengkirin rojane kir"
+ update_ip_block_html: "%{name} rolê %{target} guhert ji bo IP"
update_status_html: "%{name} şandiya bikarhêner %{target} rojane kir"
- deleted_status: "(şandiyeke jêbirî)"
+ update_user_role_html: "%{name} rola %{target} guherand"
empty: Tomarkirin nehate dîtin.
filter_by_action: Li gorî çalakiyê biparzinîne
filter_by_user: Li gorî bikarhênerê biparzinîne
@@ -418,10 +430,10 @@ ku:
empty: Îtîraz nehatin dîtin.
title: Îtîraz
domain_allows:
- add_new: Maf bide navpera federasyonê
- created_msg: Ji bo federasyonê maf dayîna navperê bi serkeftî hate dayîn
- destroyed_msg: Ji bo federasyonê maf dayîna navperê nehat dayîn
- undo: Maf nede navpera federasyonê
+ add_new: Mafê bide navpera demnameya giştî
+ created_msg: Ji bo demnameya giştî mafdayîna navperê bi serkeftî hate dayîn
+ destroyed_msg: Ji bo demnameya giştî mafdayîna navperê nehat dayîn
+ undo: Mafê nede navpera demnameya giştî
domain_blocks:
add_new: Astengkirina navpera nû
created_msg: Navpera asteng kirinê nû hat şixulandin
@@ -515,7 +527,7 @@ ku:
instance_follows_measure: şopînerên wan li vir
instance_languages_dimension: Zimanên pir tên bikaranîn
instance_media_attachments_measure: pêvekên medyayê tomarkirî
- instance_reports_measure: giliyên derbarê wan de
+ instance_reports_measure: ragehandinên di derbarê wan de
instance_statuses_measure: şandiyên tomarkirî
delivery:
all: Hemû
@@ -544,7 +556,7 @@ ku:
total_blocked_by_us: Ji aliyê me ve hatiye astengkirin
total_followed_by_them: Ji aliyê wan ve hatiye şopandin
total_followed_by_us: Ji aliyê me ve hatiye şopandin
- total_reported: Giliyên derheqê wan de
+ total_reported: Ragehandinên di derbarê wan de
total_storage: Pêvekên medyayê
totals_time_period_hint_html: Tevahiyên ku li jêr têne xuyakirin daneyên hemû deman dihewîne.
invites:
@@ -575,7 +587,7 @@ ku:
relays:
add_new: Guhêrkerê nû tevlê bike
delete: Jê bibe
- description_html: "Guhêrkerê giştî rajekareke navberkar e ku hejmareke mezin ji şandiyan di navbera rajekaran ku jê re dibin endam û weşanê dikin diguherîne. Ew dikare ji rajekarên piçûk û navîn re bibe alîkar ku naveroka ji fendiverse ê bibîne, ku bi rengeke din pêdivî dike ku bikarhênerên herêmî bi desta li dû kesên din ên li rajekarên ji dûr be bişopînin."
+ description_html: "Guhêrkerê giştî rajekareke navberkar e ku hejmareke mezin ji şandiyan di navbera rajekaran ku jê re dibin endam û weşanê dikin diguherîne. Ew dikare ji rajekarên piçûk û navîn re bibe alîkar ku naveroka ji fediverse ê bibîne, ku bi rengeke din pêdivî dike ku bikarhênerên herêmî bi desta li dû kesên din ên li rajekarên ji dûr be bişopînin."
disable: Neçalak bike
disabled: Neçalakkirî
enable: Çalak bike
@@ -585,7 +597,7 @@ ku:
pending: Li benda pêjirandina guhêrker e
save_and_enable: Tomar û çalak bike
setup: Girêdanekê guhêrker saz bike
- signatures_not_enabled: Dema ku moda ewle ya jî moda rêzoka spî çalak be guhêrker wê birêkûpêk nexebite
+ signatures_not_enabled: Dema ku moda ewle yan jî moda demnameya giştî çalak be guhêrker wê birêkûpêk nexebite
status: Rewş
title: Guhêrker
report_notes:
@@ -672,13 +684,45 @@ ku:
other: "%{count} mafdayîn"
privileges:
administrator: Rêvebir
+ administrator_description: Bikarhênerên xwediyê vê mafdayînan wê her mafdayîn derbas bike
+ delete_user_data: Daneyên bikarhêner jê bibe
+ delete_user_data_description: Mafê dide bikarhêneran ku daneyên bikarhênerên din bêyî derengxisitn jê bibin
invite_users: Bikarhêneran vexwîne
+ invite_users_description: Mafê dide bikarhêneran ku mirovên nû vexwîne bo rajekarê
+ manage_announcements: Reklaman bi rê be bibe
+ manage_announcements_description: Mafê dide bikarhêneran ku reklaman bi rê ve bibin li ser vê rajekarê
+ manage_appeals: Îtîrazan bi rê ve bibe
+ manage_appeals_description: Mafê dide bikarhêneran ku îtîrazan binirxînin li dijî çalakiyên çavdêriyê
+ manage_blocks: Astengkirinan bi rê ve bibe
+ manage_blocks_description: Mafê dide bikarhêneran ku peydakarê e-nameyê û navnîşanên IP asteng bike
manage_custom_emojis: Emojiyên kesane bi rêve bibe
+ manage_custom_emojis_description: Mafê dide bikarhêneran ku îmojî kesane bikin li ser vê rajekarê
+ manage_federation: Demnameya giştî bi rê ve bibe
+ manage_federation_description: Mafê dide bikarhêneran ku demnameya giştî bi navparên din re asteng bikin û radestkirinê kontrol bikin
manage_invites: Vexwendinan bi rêve bibe
+ manage_invites_description: Mafê dide bikarhêneran ku li girêdanên vexwendinê bigerin û neçalak bikin
+ manage_reports: Ragihandinan bi rê ve bibe
+ manage_reports_description: Mafê dide bikarhêneran ku ragihandinan binirxînin û li dijî wan kiryarên çavdêriyê çalakiyan pêk bînin
manage_roles: Rolan bi rêve bibe
+ manage_roles_description: Mafê dide bikarhêneran ku rolên li jêr ên xwe birêve bibin û nîşan bikin
manage_rules: Rolan bi rêve bibe
+ manage_rules_description: Mafê dide bikarhêneran ku rêzikên rajekarê biguherînin
manage_settings: Sazkariyan bi rê ve bibe
+ manage_settings_description: Mafê dide bikarhêneran ku sazkariyên malperê biguherînin
+ manage_taxonomies: Beşan bi rê ve bibe
+ manage_taxonomies_description: Mafê dide bikarhêneran ku naveroka rojevê binirxînin û sazkariyên hashtagê rojane bikin
+ manage_user_access: Gihiştinê bikarhêner bi rê ve bibe
+ manage_user_access_description: Mafê dide bikarhêneran ku piştrastkirina du-gavî ya bikarhênerên din neçalak bikin, navnîşana e-nameya xwe biguherînin û borînpeyva xwe ji nû ve bikin
manage_users: Bikarhêneran bi rêve bibe
+ manage_users_description: Mafê dide bikarhêneran ku hûrguliyên bikarhênerên din bibînin û li dijî wan kiryarên çavdêriyê çalakiyan pêk bînin
+ manage_webhooks: Webhook bi rê ve bibe
+ manage_webhooks_description: Mafê dide bikarhêneran ku ji bo bûyerên rêveberî yên webhook saz bikin
+ view_audit_log: Têketinên kontrolê nîşan bide
+ view_audit_log_description: Mafê dide bikarhêneran ku dîroka çalakiyên rêveberî yên li ser rajekarê bibînin
+ view_dashboard: Destgehê nîşan bide
+ view_dashboard_description: Mafê dide bikarhêneran ku bigihîjin destgehê û pîvanên cuda
+ view_devops: Pêşdebir
+ view_devops_description: Mafê dide bikarhêneran ku bigihîjin destgehên Sidekiq û pgHero
title: Rol
rules:
add_new: Rêbazekê tevlî bike
@@ -754,8 +798,8 @@ ku:
desc_html: Ew di alavdanka kêlekê û tagên meta de tên xuyakirin. Di yek paragrafê de rave bike ka Mastodon çi ye û ya ku ev rajekar taybetî dike.
title: Danasîna rajekarê kurt
site_terms:
- desc_html: Tu dikarî polîtika nihêniyê xwe, mercên karûbar an nameyên din binvisîne. Tu dikarî nîşanên HTML-ê bi kar bîne
- title: Mercên bikaranîn a kesanekirî
+ desc_html: Tu dikarî politîkaya taybetiyê ya xwe binivîsînî. Tu dikarî tagên HTML bi kar bînî
+ title: Politîka taybetiyê ya kesane
site_title: Navê rajekar
thumbnail:
desc_html: Ji bo pêşdîtinên bi riya OpenGraph û API-yê têne bikaranîn. 1200x630px tê pêşniyar kirin
@@ -765,8 +809,8 @@ ku:
title: Mafê bide gihîştina ne naskirî bo demnameya gelemperî
title: Sazkariyên malperê
trendable_by_default:
- desc_html: Hashtagên ku berê hatibûn qedexekirin bandor dike
- title: Bihêle ku hashtag bêyî nirxandinek pêşîn bibe rojev
+ desc_html: Naveroka rojevê nîşankirî dikare were qedexekirin
+ title: Mafê bide rojevê bêyî ku were nirxandin
trends:
desc_html: Hashtagên ku berê hatibûn nirxandin ên ku niha rojev in bi gelemperî bide xuyakirin
title: Hashtagên rojevê
@@ -941,7 +985,7 @@ ku:
remove: Girêdana nûçikê rake
appearance:
advanced_web_interface: Navrûya tevnê yê pêşketî
- advanced_web_interface_hint: 'Heke tu bixwazin tevahiya ferehiya dîmendera xwe bi kar bînî, navrûya pêşketî ya tevnê dihêle ku tu gelek stûnên cihêreng saz bikî da ku di heman demê de bi qasî ku tu dixwazî zanyariyan bibînî: Serrûpel, agahdarî, demnameya giştî, her hejmarek ji rêzik û hashtagan.'
+ advanced_web_interface_hint: 'Ku tu bixwazî tevahiya ferehiya dîmendera xwe bi kar bînî, navrûya pêşketî ya tevnê dihêle ku tu gelek stûnên cihêreng saz bikî da ku di heman demê de bi qasî ku tu dixwazî zanyariyan bibînî: Serrûpel, agahdarî, demnameya giştî, her hejmarek ji rêzik û hashtagan.'
animations_and_accessibility: Anîmasyon û gihînî
confirmation_dialogs: Gotûbêjên piştrastkirî
discovery: Vedîtin
@@ -1149,16 +1193,40 @@ ku:
public: Demnameya gelemperî
thread: Axaftin
edit:
+ add_keyword: Kilîtpeyv tevî bike
keywords: Peyvkilît
+ statuses: Şandiyên kesane
+ statuses_hint_html: Ev parzûn ji bo hibijartina şandiyên kesane tê sepandin bêyî ku ew bi peyvkilîtên jêrîn re lihevhatî bin. Şandiyan binirxîne an jî ji parzûnê rake.
title: Parzûnê serrast bike
errors:
+ deprecated_api_multiple_keywords: Van parameteran ji vê sepanê nayên guhertin ji ber ku ew li ser bêtirî yek kilîtpeyvên parzûnkirî têne sepandin. Sepaneke nûtir an navrûya bikarhêneriyê ya malperê bi kar bîne.
invalid_context: Naverok tune ye yan jî nederbasdar tê peydakirin
index:
+ contexts: Parzûnên di %{contexts} de
delete: Jê bibe
empty: Parzûnên te tune ne.
+ expires_in: Di %{distance} de diqede
+ expires_on: Di %{date} de diqede
+ keywords:
+ one: "%{count} kilîtpeyv"
+ other: "%{count} kilîtpeyv"
+ statuses:
+ one: "%{count} şandî"
+ other: "%{count} şandî"
+ statuses_long:
+ one: "%{count} şandiyê kesane yê veşartî"
+ other: "%{count} şandiyê kesane yê veşartî"
title: Parzûn
new:
+ save: Parzûna nû tomar bike
title: Parzûnek nû li zêde bike
+ statuses:
+ back_to_filter: Vegere bo parzûnê
+ batch:
+ remove: Ji parzûnê rake
+ index:
+ hint: Ev parzûn bêyî pîvanên din ji bo hilbijartina şandiyên kesane tê sepandin. Tu dikarî ji navrûya tevnê bêtir şandiyan tevlî vê parzûnê bikî.
+ title: Şandiyên parzûnkirî
footer:
developers: Pêşdebir
more: Bêtir…
@@ -1166,12 +1234,22 @@ ku:
trending_now: Niha rojevê de
generic:
all: Hemû
+ all_items_on_page_selected_html:
+ one: Berhemê %{count} li ser vê rûpelê hatiye hilbijartin.
+ other: Hemû berhemên %{count} li ser vê rûpelê hatine hilbijartin.
+ all_matching_items_selected_html:
+ one: Berhemê %{count} ku bi lêgerîna te re lihevhatî ye hatiye hilbijartin.
+ other: Hemû berhemên %{count} ku bi lêgerîna te re lihevhatî ne hatine hilbijartin.
changes_saved_msg: Guhertin bi serkeftî tomar bû!
copy: Jê bigire
delete: Jê bibe
+ deselect: Hemûyan hilnebijêre
none: Ne yek
order_by: Rêz bike bi
save_changes: Guhertinan tomar bike
+ select_all_matching_items:
+ one: Berhemê %{count} ku bi lêgerîna te re lihevhatî ye hilbijêre.
+ other: Hemû berhemên %{count} ku bi lêgerîna te re lihevhatî ne hilbijêre.
today: îro
validation_errors:
one: Tiştek hîn ne rast e! Ji kerema xwe çewtiya li jêr di ber çavan re derbas bike
@@ -1227,7 +1305,7 @@ ku:
password: borînpeyv
sign_in_token: koda ewlehiyê bo e-nameyê
webauthn: kilîtên ewlehiyê
- description_html: Heke çalakiya ku nas nakî dibînî, çêtir dibe ku borînpeyva xwe biguherînî û rastandina du-gavî çalak bikî.
+ description_html: Çalakiya ku nas nakî dibînî, çêtir dibe ku borînpeyva xwe biguherînî û rastandina du-gavî çalak bikî.
empty: Dîroka piştrastkirinê tune ye
failed_sign_in_html: Hewldana têketinê ser neket bi%{method} ji %{ip} (%{browser}) de
successful_sign_in_html: Bi serkeftî têketin bi %{method} ji %{ip}(%{browser}) çêbû
@@ -1280,17 +1358,6 @@ ku:
subject: "%{name} ragihandinek şand"
sign_up:
subject: "%{name} tomar bû"
- digest:
- action: Hemû agahdariyan nîşan bide
- body: Li vir kurteyeke peyamên ku li te derbasbûnd ji serdana te ya dawîn di %{since} de
- mention: "%{name} behsa te kir:"
- new_followers_summary:
- one: Herwiha, dema tu dûr bûyî te şopînerek nû bi dest xist! Bijî!
- other: Herwiha, dema tu dûr bûyî te %{count} şopînerek nû bi dest xist! Bijî!
- subject:
- one: "1 agahdarî ji serdana te ya herî dawî 🐘"
- other: "%{count} agahdarî ji serdana te ya herî dawî 🐘"
- title: Di tunebûna te de...
favourite:
body: 'Şandiya te hate bijartin ji alî %{name} ve:'
subject: "%{name} şandiya te hez kir"
@@ -1653,7 +1720,7 @@ ku:
This document is CC-BY-SA. It was last updated May 26, 2022.
- title: "%{instance} mercên bikaranîn û politîkayên nehêniyê"
+ title: Politîka taybetiyê ya %{instance}
themes:
contrast: Mastodon (Dijberiya bilind)
default: Mastodon (Tarî)
@@ -1696,7 +1763,7 @@ ku:
change_password: borînpeyva xwe biguherîne
details: 'Li vir hûrgiliyên hewldanên têketinê hene:'
explanation: Me têketineke nû ji ajimêra te ji navnîşaneke IP ya nû dît.
- further_actions_html: Ku ev ne tu bû, em ji te re pêşniyar dikin ku tu di tavilê de %{action} bikî û piştrastkirina du-gavî çalak bikî da ku ajimêra te di ewlehiyê de bimîne.
+ further_actions_html: Ku ev ne tu ye, em pêşniyar dikin ku tu di tavilê de %{action} û piştrastkirina du-gavî çalak bikî da ku ajimêra te di ewlehiyê de bimîne.
subject: Ajimêra te ji navnîşaneke IP ya nû ve hatiye gihîştin
title: Têketineke nû
warning:
@@ -1742,7 +1809,7 @@ ku:
review_preferences_step: Pê bawer be ku vebijêrkên xwe saz bikî, wek mînak kîjan e-nameyên ku tu dixwaziî wergirîne, an tu dixwazî weşanên te ji kîjan astê nehêniyê de kesanekirî bin. Heke nexweşiya te ya tevgerê tune be, tu dikarî hilbijêrî ku GIF ya xweser çalak bibe.
subject: Tu bi xêr hatî Mastodon
tip_federated_timeline: Demnameya giştî dimenêke gelemperî a Mastodon e. Lê tenê kesên ku ciranên te endamên wê ne dihewîne, ji ber vê yekê ew hemû nîne.
- tip_following: Tu rêvebir (ên) rajeker wek berdest dişopînî. Ji bo mirovên balkêştir bibînî, demnameya herêmî û federasyonî kontrol bike.
+ tip_following: Tu rêvebir (ên) rajeker wek berdest dişopînî. Ji bo mirovên balkêştir bibînî, demnameya herêmî û giştî kontrol bike.
tip_local_timeline: Demnameya herêmî, dimenêke bi giştî ye li ser %{instance} e. Ev ciranên te yên herî nêzik in!
tip_mobile_webapp: Ger geroka te ya desta pêşkêşî te bike ku tu Mastodon li ser ekrana xwe ya malê lê zêde bikî, tu dikarî agahdariyên push bistînî. Ew bi gelek awayan mîna serîlêdanek xwemalî tevdigere!
tips: Serbend
diff --git a/config/locales/lt.yml b/config/locales/lt.yml
index 96119216d..56bcccf67 100644
--- a/config/locales/lt.yml
+++ b/config/locales/lt.yml
@@ -11,10 +11,8 @@ lt:
documentation: Dokumentacija
hosted_on: Mastodon palaikomas naudojantis %{domain} talpinimu
learn_more: Daugiau
- privacy_policy: Privatumo Politika
source_code: Šaltinio kodas
status_count_before: Autorius
- terms: Naudojimo sąlygos
user_count_before: Namai
what_is_mastodon: Kas tai, Mastodon?
accounts:
@@ -127,7 +125,6 @@ lt:
username: Slapyvardis
warn: Įspėti
action_logs:
- deleted_status: "(panaikintas statusas)"
title: Audito žurnalas
custom_emojis:
by_domain: Domenas
@@ -300,9 +297,6 @@ lt:
site_short_description:
desc_html: Rodoma šoniniame meniu ir meta žymėse. Apibūdink kas yra Mastodon, ir kas daro šį serverį išskirtiniu, vienu paragrafu. Jeigu tuščias, naudojamas numatytasis tekstas.
title: Trumpas serverio apibūdinimas
- site_terms:
- desc_html: Jūs galite parašyti savo pačio privatumo politika, naudojimo sąlygas ar kita informacija. Galite naudoti HTML žymes
- title: Išskirtinės naudojimosi taisyklės
site_title: Serverio pavadinimas
thumbnail:
desc_html: Naudojama OpenGraph peržiūroms ir API. Rekomenduojama 1200x630px
@@ -493,11 +487,6 @@ lt:
moderation:
title: Moderacija
notification_mailer:
- digest:
- 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:"
- title: Kol jūsų nebuvo...
favourite:
body: 'Jūsų statusą pamėgo %{name}:'
subject: "%{name} pamėgo Jūsų statusą"
@@ -598,8 +587,6 @@ lt:
pinned: Prisegtas toot'as
reblogged: pakeltas
sensitive_content: Jautrus turinys
- terms:
- title: "%{instance} Naudojimosi Sąlygos ir Privatumo Politika"
themes:
contrast: Mastodon (Didelio Kontrasto)
default: Mastodon (Tamsus)
diff --git a/config/locales/lv.yml b/config/locales/lv.yml
index cc7306c09..c645539c8 100644
--- a/config/locales/lv.yml
+++ b/config/locales/lv.yml
@@ -28,7 +28,7 @@ lv:
learn_more: Uzzināt vairāk
logged_in_as_html: Tu pašlaik esi pieteicies kā %{username}.
logout_before_registering: Tu jau esi pieteicies.
- privacy_policy: Privātuma politika
+ privacy_policy: Privātuma Politika
rules: Servera noteikumi
rules_html: 'Tālāk ir sniegts noteikumu kopsavilkums, kas jāievēro, ja vēlies izveidot kontu šajā Mastodon serverī:'
see_whats_happening: Redzēt, kas notiek
@@ -40,13 +40,12 @@ lv:
zero: nav
status_count_before: Kurš publicējis
tagline: Decentralizēts sociālais tīkls
- terms: Pakalpojuma noteikumi
unavailable_content: Moderētie serveri
unavailable_content_description:
domain: Serveris
reason: Iemesls
- rejecting_media: 's faili no šiem serveriem netiks apstrādāti vai saglabāti, un netiks parādīti sīktēli, kuriem nepieciešama manuāla noklikšķināšana uz sākotnējā faila:'
- rejecting_media_title: Filtrēts saturs
+ rejecting_media: 'Multivides faili no šiem serveriem netiks apstrādāti vai saglabāti, un netiks parādīti sīktēli, kuriem nepieciešama manuāla noklikšķināšana uz sākotnējā faila:'
+ rejecting_media_title: Filtrēta multivide
silenced: 'Ziņas no šiem serveriem tiks paslēptas publiskās ziņu lentās un sarunās, un no lietotāju mijiedarbības netiks ģenerēti paziņojumi, ja vien tu tiem nesekosi:'
silenced_title: Ierobežoti serveri
suspended: 'Nekādi dati no šiem serveriem netiks apstrādāti, uzglabāti vai apmainīti, padarot neiespējamu jebkādu mijiedarbību vai saziņu ar lietotājiem no šiem serveriem:'
@@ -240,17 +239,21 @@ lv:
approve_user: Apstiprināt lietotāju
assigned_to_self_report: Piešķirt Pārskatu
change_email_user: Mainīt e-pastu lietotājam
+ change_role_user: Mainīt lietotāja lomu
confirm_user: Apstiprināt lietotāju
create_account_warning: Izveidot Brīdinājumu
create_announcement: Izveidot Paziņojumu
+ create_canonical_email_block: Izveidot E-pasta Bloku
create_custom_emoji: Izveidot pielāgotu emocijzīmi
create_domain_allow: Izveidot Domēna Atļauju
create_domain_block: Izveidot Domēna Bloku
create_email_domain_block: Izveidot E-pasta Domēna Bloku
create_ip_block: Izveidot IP noteikumu
create_unavailable_domain: Izveidot Nepieejamu Domēnu
+ create_user_role: Izveidot lomu
demote_user: Pazemināt Lietotāju
destroy_announcement: Dzēst Paziņojumu
+ destroy_canonical_email_block: Dzēst E-pasta Bloku
destroy_custom_emoji: Dzēst pielāgoto emocijzīmi
destroy_domain_allow: Dzēst Domēna Atļauju
destroy_domain_block: Dzēst Domēna Bloku
@@ -259,6 +262,7 @@ lv:
destroy_ip_block: Dzēst IP noteikumu
destroy_status: Izdzēst Rakstu
destroy_unavailable_domain: Dzēst Nepieejamu Domēnu
+ destroy_user_role: Iznīcināt lomu
disable_2fa_user: Atspējot 2FA
disable_custom_emoji: Atspējot pielāgotu emocijzīmi
disable_sign_in_token_auth_user: Atspējoja e-pasta marķiera autentifikāciju lietotājam
@@ -285,24 +289,30 @@ lv:
update_announcement: Atjaunināt Paziņojumu
update_custom_emoji: Atjaunināt pielāgoto emocijzīmi
update_domain_block: Atjaunināt Domēna Bloku
+ update_ip_block: Atjaunināt IP noteikumu
update_status: Atjaunināt ziņu
+ update_user_role: Atjaunināt lomu
actions:
approve_appeal_html: "%{name} apstiprināja moderācijas lēmuma apelāciju no %{target}"
approve_user_html: "%{name} apstiprināja reģistrēšanos no %{target}"
assigned_to_self_report_html: "%{name} piešķīra pārskatu %{target} sev"
change_email_user_html: "%{name} nomainīja e-pasta adresi lietotājam %{target}"
+ change_role_user_html: "%{name} nomainīja lomu uz %{target}"
confirm_user_html: "%{name} apstiprināja e-pasta adresi lietotājam %{target}"
create_account_warning_html: "%{name} nosūtīja brīdinājumu %{target}"
create_announcement_html: "%{name} izveidoja jaunu paziņojumu %{target}"
+ create_canonical_email_block_html: "%{name} bloķēja e-pastu ar hešu %{target}"
create_custom_emoji_html: "%{name} augšupielādēja jaunu emocijzīmi %{target}"
create_domain_allow_html: "%{name} atļāva federāciju ar domēnu %{target}"
create_domain_block_html: "%{name} bloķēja domēnu %{target}"
create_email_domain_block_html: "%{name} bloķēja e-pasta domēnu %{target}"
create_ip_block_html: "%{name} izveidoja nosacījumu priekš IP %{target}"
create_unavailable_domain_html: "%{name} apturēja piegādi uz domēnu %{target}"
+ create_user_role_html: "%{name} nomainīja %{target} lomu"
demote_user_html: "%{name} pazemināja lietotāju %{target}"
destroy_announcement_html: "%{name} izdzēsa paziņojumu %{target}"
- destroy_custom_emoji_html: "%{name} iznīcināja emocijzīmi %{target}"
+ destroy_canonical_email_block_html: "%{name} atbloķēja e-pastu ar hešu %{target}"
+ destroy_custom_emoji_html: "%{name} izdzēsa emocijzīmi %{target}"
destroy_domain_allow_html: "%{name} neatļāva federāciju ar domēnu %{target}"
destroy_domain_block_html: "%{name} atbloķēja domēnu %{target}"
destroy_email_domain_block_html: "%{name} atbloķēja e-pasta domēnu %{target}"
@@ -310,6 +320,7 @@ lv:
destroy_ip_block_html: "%{name} izdzēsa nosacījumu priekš IP %{target}"
destroy_status_html: "%{name} noņēma ziņu %{target}"
destroy_unavailable_domain_html: "%{name} atjaunoja piegādi uz domēnu %{target}"
+ destroy_user_role_html: "%{name} izdzēsa %{target} lomu"
disable_2fa_user_html: "%{name} atspējoja divfaktoru prasības lietotājam %{target}"
disable_custom_emoji_html: "%{name} atspējoja emocijzīmi %{target}"
disable_sign_in_token_auth_user_html: "%{name} atspējoja e-pasta marķiera autentifikāciju %{target}"
@@ -336,8 +347,9 @@ lv:
update_announcement_html: "%{name} atjaunināja paziņojumu %{target}"
update_custom_emoji_html: "%{name} atjaunināja emocijzīmi %{target}"
update_domain_block_html: "%{name} atjaunināja domēna bloku %{target}"
+ update_ip_block_html: "%{name} mainīja nosacījumu priekš IP %{target}"
update_status_html: "%{name} atjaunināja ziņu %{target}"
- deleted_status: "(dzēsta ziņa)"
+ update_user_role_html: "%{name} nomainīja %{target} lomu"
empty: Žurnāli nav atrasti.
filter_by_action: Filtrēt pēc darbības
filter_by_user: Filtrēt pēc lietotāja
@@ -800,8 +812,8 @@ lv:
desc_html: Tiek parādīts sānjoslā un metatagos. Vienā rindkopā apraksti, kas ir Mastodon un ar ko šis serveris ir īpašs.
title: Īss servera apraksts
site_terms:
- desc_html: Tu vari uzrakstīt savu privātuma politiku, pakalpojumu sniegšanas noteikumus vai citu likumīgu. Tu vari izmantot HTML tagus
- title: Pielāgoti pakalpojuma sniegšanas noteikumi
+ desc_html: Tu vari uzrakstīt pats savu privātuma politiku. Vari izmantot HTML tagus
+ title: Pielāgot privātuma politiku
site_title: Servera nosaukums
thumbnail:
desc_html: Izmanto priekšskatījumiem, izmantojot OpenGraph un API. Ieteicams 1200x630 pikseļi
@@ -811,8 +823,8 @@ lv:
title: Atļaut neautentificētu piekļuvi publiskai ziņu lentai
title: Vietnes iestatījumi
trendable_by_default:
- desc_html: Ietekmē tēmturus, kas iepriekš nav bijuši aizliegti
- title: Ļaujiet tēmturiem mainīties bez iepriekšējas pārskatīšanas
+ desc_html: Konkrētais populārais saturs joprojām var būt nepārprotami aizliegts
+ title: Atļaut tendences bez iepriekšējas pārskatīšanas
trends:
desc_html: Publiski parādīt iepriekš pārskatītus tēmturus, kas pašlaik ir populāri
title: Populārākie tēmturi
@@ -1002,9 +1014,9 @@ lv:
sensitive_content: Sensitīvs saturs
toot_layout: Ziņas izskats
application_mailer:
- notification_preferences: Mainīt e-pasta preferences
+ notification_preferences: Mainīt e-pasta uztādījumus
salutation: "%{name},"
- settings: 'Mainīt e-pasta preferences: %{link}'
+ settings: 'Mainīt e-pasta uztādījumus: %{link}'
view: 'Skatījums:'
view_profile: Skatīt profilu
view_status: Skatīt ziņu
@@ -1201,6 +1213,8 @@ lv:
edit:
add_keyword: Pievienot atslēgvārdu
keywords: Atslēgvārdi
+ statuses: Individuālās ziņas
+ statuses_hint_html: Šis filtrs attiecas uz atsevišķām ziņām neatkarīgi no tā, vai tās atbilst tālāk norādītajiem atslēgvārdiem. Pārskatīt vai noņemt ziņas no filtra.
title: Rediģēt filtru
errors:
deprecated_api_multiple_keywords: Šos parametrus šajā lietojumprogrammā nevar mainīt, jo tie attiecas uz vairāk nekā vienu filtra atslēgvārdu. Izmanto jaunāku lietojumprogrammu vai tīmekļa saskarni.
@@ -1215,10 +1229,25 @@ lv:
one: "%{count} atsēgvārds"
other: "%{count} atslēgvārdi"
zero: "%{count} atslēgvārdu"
+ statuses:
+ one: "%{count} ziņa"
+ other: "%{count} ziņas"
+ zero: "%{count} ziņu"
+ statuses_long:
+ one: paslēpta %{count} individuālā ziņa
+ other: slēptas %{count} individuālās ziņas
+ zero: "%{count} paslēptu ziņu"
title: Filtri
new:
save: Saglabāt jauno filtru
title: Pievienot jaunu filtru
+ statuses:
+ back_to_filter: Atpakaļ pie filtra
+ batch:
+ remove: Noņemt no filtra
+ index:
+ hint: Šis filtrs attiecas uz atsevišķu ziņu atlasi neatkarīgi no citiem kritērijiem. Šim filtram tu vari pievienot vairāk ziņu, izmantojot tīmekļa saskarni.
+ title: Filtrētās ziņas
footer:
developers: Izstrādātāji
more: Vairāk…
@@ -1226,12 +1255,25 @@ lv:
trending_now: Šobrīd tendences
generic:
all: Visi
+ all_items_on_page_selected_html:
+ one: Šajā lapā ir atlasīts %{count} vienums.
+ other: Šajā lapā ir atlasīti %{count} vienumi.
+ zero: Šajā lapā ir atlasīts %{count} vienumu.
+ all_matching_items_selected_html:
+ one: Atlasīts %{count} vienums, kas atbilst tavam meklēšanas vaicājumam.
+ other: Atlasīti visi %{count} vienumi, kas atbilst tavam meklēšanas vaicājumam.
+ zero: Atlasīts %{count} vienumu, kas atbilst tavam meklēšanas vaicājumam.
changes_saved_msg: Izmaiņas veiksmīgi saglabātas!
copy: Kopēt
delete: Dzēst
+ deselect: Atcelt visu atlasi
none: Neviens
order_by: Kārtot pēc
save_changes: Saglabāt izmaiņas
+ select_all_matching_items:
+ one: Atlasi %{count} vienumu, kas atbilst tavam meklēšanas vaicājumam.
+ other: Atlasi visus %{count} vienumus, kas atbilst tavam meklēšanas vaicājumam.
+ zero: Atlasi %{count} vienumu, kas atbilst tavam meklēšanas vaicājumam.
today: šodien
validation_errors:
one: Kaut kas vēl nav īsti kārtībā! Lūdzu, pārskati zemāk norādīto kļūdu
@@ -1342,19 +1384,6 @@ lv:
subject: "%{name} iesniedza ziņojumu"
sign_up:
subject: "%{name} ir pierakstījies"
- digest:
- action: Rādīt visus paziņojumus
- body: Šeit ir īss kopsavilkums par ziņojumiem, kurus tu esi palaidis garām kopš pēdējā apmeklējuma %{since}
- mention: "%{name} pieminēja tevi:"
- new_followers_summary:
- one: Tāpat, atrodoties prom, esi ieguvis vienu jaunu sekotāju! Jip!
- other: Turklāt, atrodoties prom, esi ieguvis %{count} jaunus sekotājus! Apbrīnojami!
- zero: "%{count} jaunu sekotāju!"
- subject:
- one: "1 jauns paziņojums kopš tava pēdējā apmeklējuma 🐘"
- other: "%{count} jauni paziņojumi kopš tava pēdējā apmeklējuma 🐘"
- zero: "%{count} jaunu paziņojumu kopš tava pēdējā apmeklējuma"
- title: Tavas prombūtnes laikā...
favourite:
body: 'Tavu ziņu izlasei pievienoja %{name}:'
subject: "%{name} pievienoja tavu ziņu izlasei"
@@ -1692,7 +1721,7 @@ lv:
Jā. Sīkfaili ir nelieli faili, ko vietne vai tās pakalpojumu sniedzējs pārsūta uz jūsu datora cieto disku, izmantojot jūsu tīmekļa pārlūkprogrammu (ja atļaujat). Šīs sīkdatnes ļauj vietnei atpazīt jūsu pārlūkprogrammu un, ja jums ir reģistrēts konts, saistīt to ar jūsu reģistrēto kontu.
-
Mēs izmantojam sīkfailus, lai saprastu un saglabātu jūsu preferences turpmākiem apmeklējumiem.
+
Mēs izmantojam sīkfailus, lai saprastu un saglabātu jūsu uztādījumus turpmākiem apmeklējumiem.
@@ -1723,7 +1752,7 @@ lv:
Šis dokuments ir CC-BY-SA. Pēdējo reizi tas tika atjaunināts 2022. gada 26. maijā.
- title: "%{instance} Pakalpojuma Noteikumi un Privātuma Politika"
+ title: "%{instance} Privātuma Politika"
themes:
contrast: Mastodon (Augsts kontrasts)
default: Mastodon (Tumšs)
@@ -1808,8 +1837,8 @@ lv:
final_step: 'Sāc publicēt! Pat bez sekotājiem tavas publiskās ziņas var redzēt citi, piemēram, vietējā ziņu lentā un atsaucēs. Iespējams, tu vēlēsies iepazīstināt ar sevi, izmantojot tēmturi #introductions.'
full_handle: Tavs pilnais rokturis
full_handle_hint: Šis ir tas, ko tu pasaki saviem draugiem, lai viņi varētu tev ziņot vai sekot tev no cita servera.
- review_preferences_action: Mainīt preferences
- review_preferences_step: Noteikti iestati savas preferences, piemēram, kādus e-pasta ziņojumus vēlies saņemt vai kādu konfidencialitātes līmeni vēlies iestatīt savām ziņām pēc noklusējuma. Ja tev nav kustību slimības, vari izvēlēties iespējot GIF automātisko atskaņošanu.
+ review_preferences_action: Mainīt uztādījumus
+ review_preferences_step: Noteikti iestati savas uztādījumus, piemēram, kādus e-pasta ziņojumus vēlies saņemt vai kādu konfidencialitātes līmeni vēlies iestatīt savām ziņām pēc noklusējuma. Ja tev nav kustību slimības, vari izvēlēties iespējot GIF automātisko atskaņošanu.
subject: Laipni lūgts Mastodon
tip_federated_timeline: Apvienotā ziņu lenta ir skats caur ugunsdzēsības šļūteni uz Mastodon tīklu. Bet tajā ir iekļauti tikai tie cilvēki, kurus abonē tavi kaimiņi, tāpēc tas nav pilnīgs.
tip_following: Pēc noklusējuma tu seko sava servera administratoram(-iem). Lai atrastu vairāk interesantu cilvēku, pārbaudi vietējās un federālās ziņu lentas.
diff --git a/config/locales/ml.yml b/config/locales/ml.yml
index 76a3ec07c..df5be9c1e 100644
--- a/config/locales/ml.yml
+++ b/config/locales/ml.yml
@@ -11,11 +11,9 @@ ml:
documentation: വിവരണം
get_apps: മൊബൈൽ ആപ്പ് പരീക്ഷിക്കുക
learn_more: കൂടുതൽ പഠിക്കുക
- privacy_policy: സ്വകാര്യതാ നയം
see_whats_happening: എന്തൊക്കെ സംഭവിക്കുന്നു എന്ന് കാണുക
source_code: സോഴ്സ് കോഡ്
status_count_before: ആരാൽ എഴുതപ്പെട്ടു
- terms: സേവന വ്യവസ്ഥകൾ
unavailable_content: ലഭ്യമല്ലാത്ത ഉള്ളടക്കം
unavailable_content_description:
domain: സെർവർ
@@ -127,8 +125,6 @@ ml:
generic:
all: എല്ലാം
notification_mailer:
- digest:
- action: എല്ലാ അറിയിപ്പുകളും കാണിക്കുക
follow:
body: "%{name} ഇപ്പോൾ നിങ്ങളെ പിന്തുടരുന്നു!"
subject: "%{name} ഇപ്പോൾ നിങ്ങളെ പിന്തുടരുന്നു"
diff --git a/config/locales/ms.yml b/config/locales/ms.yml
index 36aa351d9..7f090b00d 100644
--- a/config/locales/ms.yml
+++ b/config/locales/ms.yml
@@ -25,7 +25,6 @@ ms:
Akaun ini ialah pelaku maya yang digunakan untuk mewakili pelayan itu sendiri dan bukannya mana-mana pengguna individu.
Ia digunakan untuk tujuan persekutuan dan tidak patut disekat melainkan anda ingin menyekat keseluruhan tika, yang mana anda sepatutnya gunakan sekatan domain.
learn_more: Ketahui lebih lanjut
- privacy_policy: Polisi privasi
rules: Peraturan pelayan
rules_html: 'Di bawah ini ringkasan peraturan yang anda perlu ikuti jika anda ingin mempunyai akaun di pelayan Mastodon yang ini:'
see_whats_happening: Lihat apa yang sedang berlaku
@@ -34,7 +33,6 @@ ms:
status_count_after:
other: hantaran
status_count_before: Siapa terbitkan
- terms: Terma perkhidmatan
unavailable_content: Pelayan disederhanakan
unavailable_content_description:
domain: Pelayan
@@ -256,7 +254,6 @@ ms:
create_unavailable_domain_html: "%{name} telah menghentikan penghantaran ke domain %{target}"
demote_user_html: "%{name} telah menurunkan taraf pengguna %{target}"
destroy_announcement_html: "%{name} telah memadamkan pengumuman %{target}"
- destroy_custom_emoji_html: "%{name} telah memusnahkan emoji %{target}"
destroy_domain_allow_html: "%{name} telah membuang kebenaran persekutuan dengan domain %{target}"
destroy_domain_block_html: "%{name} telah menyahsekat domain %{target}"
destroy_email_domain_block_html: "%{name} telah menyahsekat domain e-mel %{target}"
@@ -285,7 +282,6 @@ ms:
update_custom_emoji_html: "%{name} telah mengemaskini emoji %{target}"
update_domain_block_html: "%{name} telah mengemaskini penyekatan domain untuk %{target}"
update_status_html: "%{name} telah mengemaskini hantaran oleh %{target}"
- deleted_status: "(hantaran telah dipadam)"
empty: Tiada log dijumpai.
filter_by_action: Tapis mengikut tindakan
filter_by_user: Tapis mengikut pengguna
@@ -542,8 +538,5 @@ ms:
exports:
archive_takeout:
in_progress: Mengkompil arkib anda...
- notification_mailer:
- digest:
- title: Ketika anda tiada di sini...
users:
follow_limit_reached: Anda tidak boleh mengikut lebih daripada %{limit} orang
diff --git a/config/locales/nl.yml b/config/locales/nl.yml
index caf3370d8..2be292866 100644
--- a/config/locales/nl.yml
+++ b/config/locales/nl.yml
@@ -37,7 +37,6 @@ nl:
other: berichten
status_count_before: Zij schreven
tagline: Decentraal sociaal netwerk
- terms: Gebruiksvoorwaarden
unavailable_content: Gemodereerde servers
unavailable_content_description:
domain: Server
@@ -212,6 +211,7 @@ nl:
suspension_reversible_hint_html: Dit account is opgeschort en de gegevens worden volledig verwijderd op %{date}. Tot die tijd kan dit account worden hersteld zonder nadelige gevolgen. Wanneer je alle gegevens van dit account onmiddellijk wilt verwijderen, kun je dit hieronder doen.
title: Accounts
unblock_email: E-mailadres deblokkeren
+ unblocked_email_msg: Het e-mailadres van %{username} is gedeblokkeerd
unconfirmed_email: Onbevestigd e-mailadres
undo_sensitized: Niet meer als gevoelig forceren
undo_silenced: Niet langer beperken
@@ -230,9 +230,11 @@ nl:
approve_user: Gebruiker goedkeuren
assigned_to_self_report: Rapportage toewijzen
change_email_user: E-mailadres van gebruiker wijzigen
+ change_role_user: Gebruikersrol wijzigen
confirm_user: Gebruiker bevestigen
create_account_warning: Waarschuwing aanmaken
create_announcement: Mededeling aanmaken
+ create_canonical_email_block: E-mailblokkade aanmaken
create_custom_emoji: Lokale emoji aanmaken
create_domain_allow: Domeingoedkeuring aanmaken
create_domain_block: Domeinblokkade aanmaken
@@ -241,6 +243,7 @@ nl:
create_unavailable_domain: Niet beschikbaar domein aanmaken
demote_user: Gebruiker degraderen
destroy_announcement: Mededeling verwijderen
+ destroy_canonical_email_block: E-mailblokkade verwijderen
destroy_custom_emoji: Lokale emoji verwijderen
destroy_domain_allow: Domeingoedkeuring verwijderen
destroy_domain_block: Domeinblokkade verwijderen
@@ -273,6 +276,7 @@ nl:
update_announcement: Mededeling bijwerken
update_custom_emoji: Lokale emoji bijwerken
update_domain_block: Domeinblokkade bijwerken
+ update_ip_block: IP-regel bijwerken
update_status: Bericht bijwerken
actions:
approve_appeal_html: "%{name} heeft het bezwaar tegen de moderatie-actie van %{target} goedgekeurd"
@@ -281,6 +285,7 @@ nl:
confirm_user_html: E-mailadres van gebruiker %{target} is door %{name} bevestigd
create_account_warning_html: "%{name} verzond een waarschuwing naar %{target}"
create_announcement_html: "%{name} heeft de nieuwe mededeling %{target} aangemaakt"
+ create_canonical_email_block_html: "%{name} blokkeerde e-mail met de hash %{target}"
create_custom_emoji_html: Nieuwe emoji %{target} is door %{name} geüpload
create_domain_allow_html: "%{name} heeft de federatie met het domein %{target} goedgekeurd"
create_domain_block_html: Domein %{target} is door %{name} geblokkeerd
@@ -289,7 +294,7 @@ nl:
create_unavailable_domain_html: "%{name} heeft de bezorging voor domein %{target} beëindigd"
demote_user_html: Gebruiker %{target} is door %{name} gedegradeerd
destroy_announcement_html: "%{name} heeft de mededeling %{target} verwijderd"
- destroy_custom_emoji_html: "%{name} verwijderde emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} deblokkeerde e-mail met de hash %{target}"
destroy_domain_allow_html: "%{name} heeft de federatie met het domein %{target} afgekeurd"
destroy_domain_block_html: Domein %{target} is door %{name} gedeblokkeerd
destroy_email_domain_block_html: "%{name} heeft het e-maildomein %{target} gedeblokkeerd"
@@ -319,8 +324,8 @@ nl:
update_announcement_html: "%{name} heeft de mededeling %{target} bijgewerkt"
update_custom_emoji_html: Emoji %{target} is door %{name} bijgewerkt
update_domain_block_html: "%{name} heeft de domeinblokkade bijgewerkt voor %{target}"
+ update_ip_block_html: "%{name} wijzigde de IP-regel voor %{target}"
update_status_html: "%{name} heeft de berichten van %{target} bijgewerkt"
- deleted_status: "(verwijderd bericht}"
empty: Geen logs gevonden.
filter_by_action: Op actie filteren
filter_by_user: Op gebruiker filteren
@@ -383,6 +388,15 @@ nl:
pending_appeals_html:
one: "%{count} bezwaar te beoordelen"
other: "%{count} bezwaren te beoordelen"
+ pending_reports_html:
+ one: "%{count} openstaande rapportage"
+ other: "%{count} openstaande rapportages"
+ pending_tags_html:
+ one: "%{count} hashtag te beoordelen"
+ other: "%{count} hashtags te beoordelen"
+ pending_users_html:
+ one: "%{count} nieuwe gebruiker te beoordelen"
+ other: "%{count} nieuwe gebruikers te beoordelen"
resolved_reports: opgeloste rapportages
software: Software
sources: Locatie van registratie
@@ -487,6 +501,9 @@ nl:
delivery_error_days: Dagen met bezorgfouten
delivery_error_hint: Wanneer de bezorging voor %{count} dagen niet mogelijk is, wordt de bezorging automatisch als niet beschikbaar gemarkeerd.
empty: Geen domeinen gevonden.
+ known_accounts:
+ one: "%{count} bekend account"
+ other: "%{count} bekende accounts"
moderation:
all: Alles
limited: Beperkt
@@ -577,7 +594,9 @@ nl:
reported_by: Gerapporteerd door
resolved: Opgelost
resolved_msg: Rapportage succesvol opgelost!
+ skip_to_actions: Ga direct naar de acties
status: Rapportages
+ statuses: Gerapporteerde inhoud
target_origin: Herkomst van de gerapporteerde accounts
title: Rapportages
unassign: Niet langer toewijzen
@@ -586,6 +605,43 @@ nl:
view_profile: Profiel bekijken
roles:
add_new: Rol toevoegen
+ assigned_users:
+ one: "%{count} gebruiker"
+ other: "%{count} gebruikers"
+ categories:
+ administration: Beheer
+ devops: Devops
+ invites: Uitnodigingen
+ moderation: Moderatie
+ special: Speciaal
+ delete: Verwijderen
+ everyone: Standaardrechten
+ everyone_full_description_html: Dit is de basisrol die van toepassing is op alle gebruikers, zelfs voor diegenen zonder toegewezen rol. Alle andere rollen hebben de rechten van deze rol als minimum.
+ permissions_count:
+ one: "%{count} recht"
+ other: "%{count} rechten"
+ privileges:
+ administrator: Beheerder
+ delete_user_data: Gebruikersgegevens verwijderen
+ invite_users: Gebruikers uitnodigen
+ manage_announcements: Aankondigingen beheren
+ manage_appeals: Bezwaren afhandelen
+ manage_blocks: Blokkades beheren
+ manage_custom_emojis: Lokale emoji's beheren
+ manage_federation: Federatie beheren
+ manage_invites: Uitnodigingen beheren
+ manage_reports: Rapportages afhandelen
+ manage_roles: Rollen beheren
+ manage_rules: Serverregels wijzigen
+ manage_settings: Server-instellingen wijzigen
+ manage_taxonomies: Trends en hashtags beheren
+ manage_user_access: Gebruikerstoegang beheren
+ manage_users: Gebruikers beheren
+ manage_webhooks: Webhooks beheren
+ view_audit_log: Auditlog bekijken
+ view_dashboard: Dashboard bekijken
+ view_devops: Devops
+ title: Rollen
rules:
add_new: Regel toevoegen
delete: Verwijderen
@@ -651,17 +707,17 @@ nl:
desc_html: Wanneer ingeschakeld wordt de globale tijdlijn op de voorpagina getoond en wanneer uitgeschakeld de lokale tijdlijn
title: De globale tijdlijn op de openbare tijdlijnpagina tonen
site_description:
- desc_html: Introductie-alinea voor de API. Beschrijf wat er speciaal is aan deze server en andere zaken die van belang zijn. Je kan HTML gebruiken, zoals <a> en <em>.
+ desc_html: Introductie-alinea voor de API. Beschrijf wat er speciaal is aan deze server en andere zaken die van belang zijn. Je kunt HTML gebruiken, zoals <a> en <em>.
title: Omschrijving Mastodonserver (API)
site_description_extended:
- desc_html: Een goede plek voor je gedragscode, regels, richtlijnen en andere zaken die jouw server uniek maken. Je kan ook hier HTML gebruiken
+ desc_html: Een goede plek voor je gedragscode, regels, richtlijnen en andere zaken die jouw server uniek maken. Je kunt ook hier HTML gebruiken
title: Uitgebreide omschrijving Mastodonserver
site_short_description:
desc_html: Dit wordt gebruikt op de voorpagina, in de zijbalk op profielpagina's en als metatag in de paginabron. Beschrijf in één alinea wat Mastodon is en wat deze server speciaal maakt.
title: Omschrijving Mastodonserver (website)
site_terms:
- desc_html: Je kan hier jouw eigen privacybeleid, gebruiksvoorwaarden en ander juridisch jargon kwijt. Je kan HTML gebruiken
- title: Aangepaste gebruiksvoorwaarden
+ desc_html: Je kunt jouw eigen privacybeleid hier kwijt. Je kunt HTML gebruiken
+ title: Aangepast privacybeleid
site_title: Naam Mastodonserver
thumbnail:
desc_html: Gebruikt als voorvertoning voor OpenGraph en de API. 1200x630px aanbevolen
@@ -671,8 +727,8 @@ nl:
title: Toegang tot de openbare tijdlijn zonder in te loggen toestaan
title: Server-instellingen
trendable_by_default:
- desc_html: Heeft invloed op hashtags die nog niet eerder niet zijn toegestaan
- title: Hashtags toestaan om trending te worden zonder voorafgaande beoordeling
+ desc_html: Specifieke trends kunnen nog steeds expliciet worden afgekeurd
+ title: Trends toestaan zonder voorafgaande beoordeling
trends:
desc_html: Eerder beoordeelde hashtags die op dit moment trending zijn openbaar tonen
title: Trends
@@ -690,6 +746,9 @@ nl:
title: Berichten van account
with_media: Met media
strikes:
+ actions:
+ silence: "%{name} beperkte het account %{target}"
+ suspend: "%{name} schortte het account %{target} op"
appeal_approved: Bezwaar ingediend
appeal_pending: Bezwaar in behandeling
system_checks:
@@ -706,18 +765,32 @@ nl:
title: Beheer
trends:
allow: Toestaan
+ approved: Toegestaan
disallow: Weigeren
links:
allow: Link toestaan
allow_provider: Uitgever toestaan
+ disallow: Link toestaan
+ disallow_provider: Website toestaan
title: Trending links
only_allowed: Alleen toegestaan
pending_review: In afwachting van beoordeling
preview_card_providers:
+ allowed: Links van deze website kunnen trending worden
+ rejected: Links van deze website kunnen niet trending worden
title: Uitgevers
rejected: Afgewezen
statuses:
allow: Bericht toestaan
+ allow_account: Gebruiker toestaan
+ disallow: Bericht niet toestaan
+ disallow_account: Gebruiker niet toestaan
+ not_discoverable: Gebruiker heeft geen toestemming gegeven om vindbaar te zijn
+ title: Trending berichten
+ tags:
+ dashboard:
+ tag_languages_dimension: Populaire talen
+ tag_servers_dimension: Populaire servers
warning_presets:
add_new: Nieuwe toevoegen
delete: Verwijderen
@@ -794,6 +867,7 @@ nl:
invalid_reset_password_token: De code om jouw wachtwoord opnieuw in te stellen is verlopen. Vraag een nieuwe aan.
link_to_otp: Voer een tweestapsverificatiecode van je telefoon of een herstelcode in
link_to_webauth: Jouw apparaat met de authenticatie-app gebruiken
+ log_in_with: Inloggen met
login: Inloggen
logout: Uitloggen
migrate_account: Naar een ander account verhuizen
@@ -815,6 +889,7 @@ nl:
status:
account_status: Accountstatus
confirming: Aan het wachten totdat de e-mail is bevestigd.
+ functional: Jouw account kan in diens geheel gebruikt worden.
pending: Jouw aanvraag moet nog worden beoordeeld door een van onze medewerkers. Dit kan misschien eventjes duren. Je ontvangt een e-mail wanneer jouw aanvraag is goedgekeurd.
redirecting_to: Jouw account is inactief omdat het momenteel wordt doorverwezen naar %{acct}.
too_fast: Formulier is te snel ingediend. Probeer het nogmaals.
@@ -828,7 +903,7 @@ nl:
follow_request: 'Jij hebt een volgverzoek ingediend bij:'
following: 'Succes! Jij volgt nu:'
post_follow:
- close: Of je kan dit venster gewoon sluiten.
+ close: Of je kunt dit venster gewoon sluiten.
return: Profiel van deze gebruiker tonen
web: Ga naar de webapp
title: Volg %{acct}
@@ -952,6 +1027,7 @@ nl:
edit:
add_keyword: Trefwoord toevoegen
keywords: Trefwoorden
+ statuses: Individuele berichten
title: Filter bewerken
errors:
deprecated_api_multiple_keywords: Deze instellingen kunnen niet via deze applicatie worden veranderd, omdat er meer dan één trefwoord wordt gebruikt. Gebruik een meer recente applicatie of de webomgeving.
@@ -965,10 +1041,22 @@ nl:
keywords:
one: "%{count} trefwoord"
other: "%{count} trefwoorden"
+ statuses:
+ one: "%{count} bericht"
+ other: "%{count} berichten"
+ statuses_long:
+ one: "%{count} individueel bericht verborgen"
+ other: "%{count} individuele berichten verborgen"
title: Filters
new:
save: Nieuwe filter opslaan
title: Nieuw filter toevoegen
+ statuses:
+ back_to_filter: Terug naar het filter
+ batch:
+ remove: Uit het filter verwijderen
+ index:
+ title: Gefilterde berichten
footer:
developers: Ontwikkelaars
more: Meer…
@@ -976,12 +1064,22 @@ nl:
trending_now: Trends
generic:
all: Alles
+ all_items_on_page_selected_html:
+ one: "%{count} item op deze pagina is geselecteerd."
+ other: Alle %{count} items op deze pagina zijn geselecteerd.
+ all_matching_items_selected_html:
+ one: "%{count} item dat met jouw zoekopdracht overeenkomt is geselecteerd."
+ other: Alle %{count} items die met jouw zoekopdracht overeenkomen zijn geselecteerd.
changes_saved_msg: Wijzigingen succesvol opgeslagen!
copy: Kopiëren
delete: Verwijderen
+ deselect: Alles deselecteren
none: Geen
order_by: Sorteer op
save_changes: Wijzigingen opslaan
+ select_all_matching_items:
+ one: "%{count} item dat met jouw zoekopdracht overeenkomt selecteren."
+ other: Alle %{count} items die met jouw zoekopdracht overeenkomen selecteren.
today: vandaag
validation_errors:
one: Er is iets niet helemaal goed! Bekijk onderstaande fout
@@ -1083,17 +1181,9 @@ nl:
admin:
report:
subject: "%{name} heeft een rapportage ingediend"
- digest:
- action: Alle meldingen bekijken
- body: Hier is een korte samenvatting van de berichten die je sinds jouw laatste bezoek op %{since} hebt gemist
- mention: "%{name} vermeldde jou in:"
- new_followers_summary:
- one: Je hebt trouwens sinds je weg was er ook een nieuwe volger bijgekregen! Hoera!
- other: Je hebt trouwens sinds je weg was er ook %{count} nieuwe volgers bijgekregen! Fantastisch!
- title: Tijdens jouw afwezigheid...
favourite:
- body: 'Jouw bericht werd door %{name} aan diens favorieten toegevoegd:'
- subject: "%{name} voegde jouw bericht als favoriet toe"
+ body: 'Jouw bericht werd door %{name} als favoriet gemarkeerd:'
+ subject: "%{name} markeerde jouw bericht als favoriet"
title: Nieuwe favoriet
follow:
body: "%{name} volgt jou nu!"
@@ -1117,6 +1207,8 @@ nl:
title: Nieuwe boost
status:
subject: "%{name} heeft zojuist een bericht geplaatst"
+ update:
+ subject: "%{name} bewerkte een bericht"
notifications:
email_events: E-mailmeldingen voor gebeurtenissen
email_events_hint: 'Selecteer gebeurtenissen waarvoor je meldingen wilt ontvangen:'
@@ -1190,8 +1282,8 @@ nl:
reason_html: " Waarom is deze extra stap nodig? %{instance} is wellicht niet de server waarop jij je geregistreerd hebt. We verwijzen je eerst door naar jouw eigen server."
remote_interaction:
favourite:
- proceed: Doorgaan met toevoegen aan jouw favorieten
- prompt: 'Je wilt het volgende bericht aan jouw favorieten toevoegen:'
+ proceed: Doorgaan met het markeren als favoriet
+ prompt: 'Je wilt het volgende bericht als favoriet markeren:'
reblog:
proceed: Doorgaan met boosten
prompt: 'Je wilt het volgende bericht boosten:'
@@ -1281,6 +1373,7 @@ nl:
disallowed_hashtags:
one: 'bevatte een niet toegestane hashtag: %{tags}'
other: 'bevatte niet toegestane hashtags: %{tags}'
+ edited_at_html: Bewerkt op %{date}
errors:
in_reply_not_found: Het bericht waarop je probeert te reageren lijkt niet te bestaan.
open_in_web: In de webapp openen
@@ -1312,6 +1405,11 @@ nl:
unlisted: Minder openbaar
unlisted_long: Aan iedereen tonen, maar niet op openbare tijdlijnen
statuses_cleanup:
+ ignore_favs: Favorieten negeren
+ ignore_reblogs: Boosts negeren
+ keep_direct: Directe berichten behouden
+ keep_media: Berichten met mediabijlagen behouden
+ keep_pinned: Vastgemaakte berichten behouden
min_age:
'1209600': 2 weken
'15778476': 6 maanden
@@ -1412,7 +1510,7 @@ nl:
This document is CC-BY-SA. It was last updated May 26, 2022.
- title: Gebruiksvoorwaarden en privacybeleid van %{instance}
+ title: Privacybeleid van %{instance}
themes:
contrast: Mastodon (hoog contrast)
default: Mastodon (donker)
@@ -1468,8 +1566,10 @@ nl:
silence: Jouw account %{acct} is nu beperkt
suspend: Jouw account %{acct} is opgeschort
title:
+ delete_statuses: Berichten verwijderd
disable: Account bevroren
none: Waarschuwing
+ sensitive: Account is als gevoelig gemarkeerd
silence: Account beperkt
suspend: Account opgeschort
welcome:
diff --git a/config/locales/nn.yml b/config/locales/nn.yml
index 14f9b95ad..baf20ad72 100644
--- a/config/locales/nn.yml
+++ b/config/locales/nn.yml
@@ -23,14 +23,14 @@ nn:
hosted_on: "%{domain} er vert for Mastodon"
instance_actor_flash: "Denne brukeren er en virtuell aktør brukt til å representere selve serveren og ingen individuell bruker. Det brukes til foreningsformål og bør ikke blokkeres med mindre du vil blokkere hele instansen, hvor domeneblokkering bør brukes i stedet. \n"
learn_more: Lær meir
- privacy_policy: Personvernsreglar
- rules: Server regler
- rules_html: 'Nedenfor er et sammendrag av reglene du må følge om du vil ha en konto på denne serveren av Mastodon:'
+ logout_before_registering: Du er allereie logga inn.
+ rules: Tenarreglar
+ rules_html: 'Nedanfor er eit samandrag av reglar du må fylgje dersom du vil ha ein konto på denne Mastodontenaren:'
see_whats_happening: Sjå kva som skjer
server_stats: 'Tenarstatistikk:'
source_code: Kjeldekode
status_count_before: Som skreiv
- terms: Brukarvilkår
+ tagline: Desentralisert sosialt nettverk
unavailable_content: Utilgjengeleg innhald
unavailable_content_description:
domain: Sørvar
@@ -99,6 +99,10 @@ nn:
new_email: Ny e-post
submit: Byt e-post
title: Byt e-post for %{username}
+ change_role:
+ label: Endre rolle
+ no_role: Inga rolle
+ title: Endre rolle for %{username}
confirm: Stadfest
confirmed: Stadfesta
confirming: Stadfestar
@@ -170,11 +174,12 @@ nn:
reset: Attstill
reset_password: Attstill passord
resubscribe: Ting på nytt
+ role: Rolle
search: Søk
search_same_email_domain: Andre brukarar med same e-postdomene
search_same_ip: Andre brukarar med same IP
security_measures:
- only_password: Bare passord
+ only_password: Kun passord
password_and_2fa: Passord og 2FA
sensitized: Merket som følsom
shared_inbox_url: Delt Innboks URL
@@ -247,7 +252,6 @@ nn:
create_ip_block_html: "%{name} opprettet regel for IP %{target}"
reject_user_html: "%{name} avslo registrering fra %{target}"
silence_account_html: "%{name} begrenset %{target} sin konto"
- deleted_status: "(sletta status)"
empty: Ingen loggar funne.
filter_by_action: Sorter etter handling
filter_by_user: Sorter etter brukar
@@ -540,9 +544,6 @@ nn:
site_short_description:
desc_html: Vist i sidelinjen og i metastempler. Beskriv hva Mastodon er og hva som gjør denne tjeneren spesiell i én enkelt paragraf.
title: Stutt om tenaren
- site_terms:
- desc_html: Du kan skrive din egen personverns-strategi, bruksviklår og andre regler. Du kan bruke HTML tagger
- title: Eigne brukarvilkår
site_title: Tenarnamn
thumbnail:
desc_html: Brukes ved forhandsvisning via OpenGraph og API. 1200x630px anbefales
@@ -551,9 +552,6 @@ nn:
desc_html: Vis offentlig tidslinje på landingssiden
title: Tillat uautentisert tilgang til offentleg tidsline
title: Sideinnstillingar
- trendable_by_default:
- desc_html: Påverkar emneknaggar som ikkje har vore tillatne tidlegare
- title: Tillat emneknaggar å verta populære utan gjennomgang på førehand
trends:
title: Populære emneknaggar
site_uploads:
@@ -881,14 +879,6 @@ nn:
carry_mutes_over_text: Denne brukeren flyttet fra %{acct}, som du hadde dempet.
copy_account_note_text: 'Denne brukeren flyttet fra %{acct}, her var dine tidligere notater om dem:'
notification_mailer:
- digest:
- action: Sjå alle varsel
- body: Her er ei kort samanfatting av meldingane du gjekk glepp av sidan siste gong du var innom %{since}
- mention: "%{name} nemnde deg i:"
- new_followers_summary:
- one: Du har forresten fått deg ein ny fylgjar mens du var borte! Hurra!
- other: Du har forresten fått deg %{count} nye fylgjarar mens du var borte! Hurra!
- title: Mens du var borte...
favourite:
body: 'Statusen din vart merkt som favoritt av %{name}:'
subject: "%{name} merkte statusen din som favoritt"
@@ -1109,8 +1099,6 @@ nn:
sensitive_content: Følsomt innhold
tags:
does_not_match_previous_name: stemmar ikkje med det førre namnet
- terms:
- title: Tenestevilkår og personvernsvilkår for %{instance}
themes:
contrast: Mastodon (Høg kontrast)
default: Mastodon (Mørkt)
diff --git a/config/locales/no.yml b/config/locales/no.yml
index 13f13d8bd..b93bd0a2c 100644
--- a/config/locales/no.yml
+++ b/config/locales/no.yml
@@ -23,7 +23,6 @@
hosted_on: Mastodon driftet på %{domain}
instance_actor_flash: "Denne brukeren er en virtuell aktør brukt til å representere selve serveren og ingen individuell bruker. Det brukes til foreningsformål og bør ikke blokkeres med mindre du vil blokkere hele instansen, hvor domeneblokkering bør brukes i stedet. \n"
learn_more: Lær mer
- privacy_policy: Privatlivsretningslinjer
rules: Server regler
rules_html: 'Nedenfor er et sammendrag av reglene du må følge om du vil ha en konto på denne serveren av Mastodon:'
see_whats_happening: Se hva som skjer
@@ -33,7 +32,6 @@
one: innlegg
other: statuser
status_count_before: Som skrev
- terms: Bruksvilkår
unavailable_content: Utilgjengelig innhold
unavailable_content_description:
domain: Tjener
@@ -247,7 +245,6 @@
create_ip_block_html: "%{name} opprettet regel for IP %{target}"
reject_user_html: "%{name} avslo registrering fra %{target}"
silence_account_html: "%{name} begrenset %{target} sin konto"
- deleted_status: "(statusen er slettet)"
empty: Ingen loggføringer ble funnet.
filter_by_action: Sorter etter handling
filter_by_user: Sorter etter bruker
@@ -540,9 +537,6 @@
site_short_description:
desc_html: Vist i sidelinjen og i metastempler. Beskriv hva Mastodon er og hva som gjør denne tjeneren spesiell i én enkelt paragraf.
title: Kort tjenerbeskrivelse
- site_terms:
- desc_html: Du kan skrive din egen personverns-strategi, bruksviklår og andre regler. Du kan bruke HTML tagger
- title: Skreddersydde bruksvilkår
site_title: Nettstedstittel
thumbnail:
desc_html: Brukes ved forhandsvisning via OpenGraph og API. 1200x630px anbefales
@@ -551,9 +545,6 @@
desc_html: Vis offentlig tidslinje på landingssiden
title: Forhandsvis tidslinjen
title: Nettstedsinnstillinger
- trendable_by_default:
- desc_html: Påvirker hashtags som ikke har blitt nektet tidligere
- title: Tillat hashtags for trend uten foregående vurdering
trends:
title: Trendende emneknagger
site_uploads:
@@ -868,14 +859,6 @@
carry_mutes_over_text: Denne brukeren flyttet fra %{acct}, som du hadde dempet.
copy_account_note_text: 'Denne brukeren flyttet fra %{acct}, her var dine tidligere notater om dem:'
notification_mailer:
- digest:
- action: Vis alle varslinger
- body: Her er en kort oppsummering av hva du har gått glipp av siden du sist logget inn den %{since}
- mention: "%{name} nevnte deg i:"
- new_followers_summary:
- one: I tillegg har du fått en ny følger mens du var borte. Hurra!
- other: I tillegg har du har fått %{count} nye følgere mens du var borte! Imponerende!
- title: I ditt fravær…
favourite:
body: 'Statusen din ble likt av %{name}:'
subject: "%{name} likte statusen din"
@@ -1099,8 +1082,6 @@
sensitive_content: Følsomt innhold
tags:
does_not_match_previous_name: samsvarer ikke med det forrige navnet
- terms:
- title: "%{instance} Personvern og villkår for bruk av nettstedet"
themes:
contrast: Mastodon (Høykontrast)
default: Mastodon
diff --git a/config/locales/oc.yml b/config/locales/oc.yml
index 463940567..6fbe1c9c3 100644
--- a/config/locales/oc.yml
+++ b/config/locales/oc.yml
@@ -22,7 +22,6 @@ oc:
get_apps: Ensajatz una aplicacion mobil
hosted_on: Mastodon albergat sus %{domain}
learn_more: Ne saber mai
- privacy_policy: Politica de confidencialitat
rules: Règlas del servidor
see_whats_happening: Agachatz çò qu’arriba
server_stats: 'Estatisticas del servidor :'
@@ -31,7 +30,6 @@ oc:
one: estatut
other: estatuts
status_count_before: qu’an escrich
- terms: Condicions d’utilizacion
unavailable_content: Contengut pas disponible
unavailable_content_description:
domain: Servidor
@@ -216,7 +214,6 @@ oc:
update_announcement: Actualizar l’anóncia
update_custom_emoji: Actualizar l’emoji personalizat
update_status: Actualizar l’estatut
- deleted_status: "(estatut suprimit)"
empty: Cap de jornal pas trobat.
filter_by_action: Filtrar per accion
filter_by_user: Filtrar per utilizaire
@@ -484,9 +481,6 @@ oc:
site_short_description:
desc_html: Mostrat dins la barra laterala e dins las meta balisas. Explica çò qu’es Mastodon e perque aqueste servidor es especial en un solet paragraf. S’es void, serà garnit amb la descripcion del servidor.
title: Descripcion corta del servidor
- site_terms:
- desc_html: Afichada sus la pagina de las condicions d’utilizacion Podètz utilizar de balisas HTML
- title: Politica de confidencialitat del site
site_title: Títol del servidor
thumbnail:
desc_html: Servís pels apercebuts via OpenGraph e las API. Talha de 1200x630px recomandada
@@ -793,14 +787,6 @@ oc:
moderation:
title: Moderacion
notification_mailer:
- digest:
- action: Veire totas las notificacions
- body: Trobatz aquí un resumit dels messatges qu’avètz mancats dempuèi vòstra darrièra visita lo %{since}
- mention: "%{name} vos a mencionat dins :"
- new_followers_summary:
- one: Avètz un nòu seguidor dempuèi vòstra darrièra visita ! Ouà !
- other: Avètz %{count} nòus seguidors dempuèi vòstra darrièra visita ! Qué crane !
- title: Pendent vòstra abséncia…
favourite:
body: "%{name} a mes vòstre estatut en favorit :"
subject: "%{name} a mes vòstre estatut en favorit"
@@ -1023,8 +1009,6 @@ oc:
sensitive_content: Contengut sensible
tags:
does_not_match_previous_name: correspond pas al nom precedent
- terms:
- title: Condicions d’utilizacion e politica de confidencialitat de %{instance}
themes:
contrast: Mastodon (Fòrt contrast)
default: Mastodon (Escur)
diff --git a/config/locales/pl.yml b/config/locales/pl.yml
index 2d49d756d..a45e8d413 100644
--- a/config/locales/pl.yml
+++ b/config/locales/pl.yml
@@ -41,7 +41,6 @@ pl:
other: wpisów
status_count_before: Są autorami
tagline: Zdecentralizowana sieć społecznościowa
- terms: Zasady użytkowania
unavailable_content: Niedostępne treści
unavailable_content_description:
domain: Serwer
@@ -245,6 +244,7 @@ pl:
approve_user: Zatwierdź użytkownika
assigned_to_self_report: Przypisz zgłoszenie
change_email_user: Zmień adres e-mail użytkownika
+ change_role_user: Zmień rolę użytkownika
confirm_user: Potwierdź użytkownika
create_account_warning: Utwórz ostrzeżenie
create_announcement: Utwórz ogłoszenie
@@ -254,6 +254,7 @@ pl:
create_email_domain_block: Utwórz blokadę domeny e-mail
create_ip_block: Utwórz regułę IP
create_unavailable_domain: Utwórz niedostępną domenę
+ create_user_role: Utwórz rolę
demote_user: Zdegraduj użytkownika
destroy_announcement: Usuń ogłoszenie
destroy_custom_emoji: Usuń niestandardowe emoji
@@ -264,6 +265,7 @@ pl:
destroy_ip_block: Usuń regułę IP
destroy_status: Usuń wpis
destroy_unavailable_domain: Usuń niedostępną domenę
+ destroy_user_role: Zlikwiduj rolę
disable_2fa_user: Wyłącz 2FA
disable_custom_emoji: Wyłącz niestandardowe emoji
disable_sign_in_token_auth_user: Wyłącz uwierzytelnianie tokenu e-mail dla użytkownika
@@ -290,12 +292,15 @@ pl:
update_announcement: Aktualizuj ogłoszenie
update_custom_emoji: Aktualizuj niestandardowe emoji
update_domain_block: Zaktualizuj blokadę domeny
+ update_ip_block: Aktualizuj regułę IP
update_status: Aktualizuj wpis
+ update_user_role: Aktualizuj rolę
actions:
approve_appeal_html: "%{name} zatwierdził(-a) odwołanie decyzji moderacyjnej od %{target}"
approve_user_html: "%{name} zatwierdził rejestrację od %{target}"
assigned_to_self_report_html: "%{name} przypisał(a) sobie zgłoszenie %{target}"
change_email_user_html: "%{name} zmienił(a) adres e-mail użytkownika %{target}"
+ change_role_user_html: "%{name} zmienił rolę %{target}"
confirm_user_html: "%{name} potwierdził(a) adres e-mail użytkownika %{target}"
create_account_warning_html: "%{name} wysłał(a) ostrzeżenie do %{target}"
create_announcement_html: "%{name} utworzył(a) nowe ogłoszenie %{target}"
@@ -305,9 +310,10 @@ pl:
create_email_domain_block_html: "%{name} dodał(a) domenę e-mail %{target} na czarną listę"
create_ip_block_html: "%{name} stworzył(a) regułę dla IP %{target}"
create_unavailable_domain_html: "%{name} przestał(a) doręczać na domenę %{target}"
+ create_user_role_html: "%{name} utworzył rolę %{target}"
demote_user_html: "%{name} zdegradował(a) użytkownika %{target}"
destroy_announcement_html: "%{name} usunął(-ęła) ogłoszenie %{target}"
- destroy_custom_emoji_html: "%{name} usunął(-ęła) emoji %{target}"
+ destroy_custom_emoji_html: "%{name} usunął emoji %{target}"
destroy_domain_allow_html: "%{name} usunął(-ęła) domenę %{target} z białej listy"
destroy_domain_block_html: "%{name} odblokował(a) domenę %{target}"
destroy_email_domain_block_html: "%{name} usunął(-ęła) domenę e-mail %{target} z czarnej listy"
@@ -315,6 +321,7 @@ pl:
destroy_ip_block_html: "%{name} usunął(-ęła) regułę dla IP %{target}"
destroy_status_html: "%{name} usunął(-ęła) wpis użytkownika %{target}"
destroy_unavailable_domain_html: "%{name} wznowił(a) doręczanie do domeny %{target}"
+ destroy_user_role_html: "%{name} usunął rolę %{target}"
disable_2fa_user_html: "%{name} wyłączył(a) uwierzytelnianie dwustopniowe użytkownikowi %{target}"
disable_custom_emoji_html: "%{name} wyłączył(a) emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} wyłączył/a uwierzytelnianie tokenem e-mail dla %{target}"
@@ -342,7 +349,7 @@ pl:
update_custom_emoji_html: "%{name} zaktualizował(a) emoji %{target}"
update_domain_block_html: "%{name} zaktualizował(a) blokadę domeny dla %{target}"
update_status_html: "%{name} zaktualizował(a) wpis użytkownika %{target}"
- deleted_status: "(usunięty wpis)"
+ update_user_role_html: "%{name} zmienił rolę %{target}"
empty: Nie znaleziono aktywności w dzienniku.
filter_by_action: Filtruj według działania
filter_by_user: Filtruj według użytkownika
@@ -695,6 +702,11 @@ pl:
edit: Edytuj rolę '%{name}'
everyone: Domyślnie uprawnienia
everyone_full_description_html: To jest rola podstawowa wpływająca na wszystkich użytkowników, nawet tych, którzy nie mają przypisanej roli. Wszystkie inne role dziedziczą z niej uprawnienia.
+ permissions_count:
+ few: "%{count} uprawnień"
+ many: "%{count} uprawnień"
+ one: "%{count} uprawnienie"
+ other: "%{count} uprawnień"
privileges:
administrator: Administrator
administrator_description: Użytkownicy z tym uprawnieniem omijają każde uprawnienie
@@ -725,11 +737,15 @@ pl:
manage_taxonomies: Zarządzaj taksonomiami
manage_taxonomies_description: Pozwala użytkownikom przeglądać najpopularniejsze treści i aktualizować ustawienia hasztagów
manage_user_access: Zarządzaj dostępem użytkownika
+ manage_user_access_description: Pozwala użytkownikom na wyłączenie uwierzytelniania dwuskładnikowego innych użytkowników, zmianę adresu e-mail i zresetowanie hasła
manage_users: Zarządzanie użytkownikami
+ manage_users_description: Pozwala użytkownikom na oglądanie szczegółów innych użytkowników i wykonywanie na ich kontach działań moderacyjnych
manage_webhooks: Zarządzanie webhookami
+ manage_webhooks_description: Pozwala użytkownikom na konfigurację webhooków dla wydarzeń administracyjnych
view_audit_log: Wyświetl dziennik zdarzeń
view_audit_log_description: Pozwala użytkownikom zobaczyć historię działań administracyjnych na serwerze
view_dashboard: Wyświetl panel
+ view_dashboard_description: Pozwala użytkownikom na dostęp do panelu i różnych metryk
view_devops: Devops
view_devops_description: Pozwala użytkownikom na dostęp do paneli Sidekiq i pgHero
title: Role
@@ -807,8 +823,8 @@ pl:
desc_html: Wyświetlany na pasku bocznym i w znacznikach meta. Opisz w jednym akapicie, czym jest Mastodon i czym wyróżnia się ten serwer. Jeżeli pusty, zostanie użyty opis serwera.
title: Krótki opis serwera
site_terms:
- desc_html: Miejsce na własną politykę prywatności, zasady użytkowania i inne unormowania prawne. Możesz korzystać ze znaczników HTML
- title: Niestandardowe zasady użytkowania
+ desc_html: Możesz stworzyć własną politykę prywatności. Możesz używać tagów HTML
+ title: Własna polityka prywatności
site_title: Nazwa serwera
thumbnail:
desc_html: 'Używana w podglądzie przez OpenGraph i API. Zalecany rozmiar: 1200x630 pikseli'
@@ -818,8 +834,8 @@ pl:
title: Podgląd osi czasu
title: Ustawienia strony
trendable_by_default:
- desc_html: Wpływa na hashtagi, które nie były wcześniej niedozwolone
- title: Hashtagi mogą pojawiać się w trendach bez wcześniejszego zatwierdzenia
+ desc_html: Pewne treści trendu nadal mogą być bezpośrednio zabronione
+ title: Zezwalaj na trendy bez ich uprzedniego przejrzenia
trends:
desc_html: Wyświetlaj publicznie wcześniej sprawdzone hashtagi, które są obecnie na czasie
title: Popularne hashtagi
@@ -1212,6 +1228,8 @@ pl:
edit:
add_keyword: Dodaj słowo kluczowe
keywords: Słowa kluczowe
+ statuses: Pojedyncze wpisy
+ statuses_hint_html: Ten filtr ma zastosowanie do wybierania poszczególnych wpisów niezależnie od tego, czy pasują one do słów kluczowych poniżej. Przejrzyj lub usuń wpisy z filtra.
title: Edytuj filtr
errors:
deprecated_api_multiple_keywords: Te parametry nie mogą zostać zmienione z tej aplikacji, ponieważ dotyczą więcej niż jednego słowa kluczowego. Użyj nowszej wersji aplikacji lub interfejsu internetowego.
@@ -1227,10 +1245,27 @@ pl:
many: "%{count} słów kluczowych"
one: "%{count} słowo kluczowe"
other: "%{count} słów kluczowych"
+ statuses:
+ few: "%{count} posty"
+ many: "%{count} postów"
+ one: "%{count} post"
+ other: "%{count} postów"
+ statuses_long:
+ few: "%{count} ukryte posty"
+ many: "%{count} ukrytych postów"
+ one: "%{count} ukryty post"
+ other: "%{count} postów ukrytych"
title: Filtry
new:
save: Zapisz jako nowy filtr
title: Dodaj nowy filtr
+ statuses:
+ back_to_filter: Powrót do filtra
+ batch:
+ remove: Usuń z filtra
+ index:
+ hint: Ten filtr ma zastosowanie do wybierania poszczególnych wpisów niezależnie od pozostałych kryteriów. Możesz dodać więcej wpisów do tego filtra z interfejsu internetowego.
+ title: Filtrowane posty
footer:
developers: Dla programistów
more: Więcej…
@@ -1238,9 +1273,15 @@ pl:
trending_now: Obecnie na czasie
generic:
all: Wszystkie
+ all_items_on_page_selected_html:
+ few: "%{count} elementy na tej stronie są wybrane."
+ many: "%{count} elementów na tej stronie jest wybrane."
+ one: "%{count} element na tej stronie jest wybrany."
+ other: "%{count} elementów na tej stronie jest wybrane."
changes_saved_msg: Ustawienia zapisane!
copy: Kopiuj
delete: Usuń
+ deselect: Odznacz wszystkie
none: Żaden
order_by: Uporządkuj według
save_changes: Zapisz zmiany
@@ -1356,21 +1397,6 @@ pl:
subject: "%{name} wysłał raport"
sign_up:
subject: "%{name} zarejestrował(-a) się"
- digest:
- action: Wyświetl wszystkie powiadomienia
- body: Oto krótkie podsumowanie wiadomości, które ominęły Cię od Twojej ostatniej wizyty (%{since})
- mention: "%{name} wspomniał o Tobie w:"
- new_followers_summary:
- few: "(%{count}) nowe osoby śledzą Cię!"
- many: "(%{count}) nowych osób Cię śledzi! Wspaniale!"
- one: Dodatkowo, w czasie nieobecności zaczęła śledzić Cię jedna osoba Gratulacje!
- other: Dodatkowo, zaczęło Cię śledzić %{count} nowych osób! Wspaniale!
- subject:
- few: "%{count} nowe powiadomienia od Twojej ostatniej wizyty 🐘"
- many: "%{count} nowych powiadomień od Twojej ostatniej wizyty 🐘"
- one: "1 nowe powiadomienie od Twojej ostatniej wizyty 🐘"
- other: "%{count} nowych powiadomień od Twojej ostatniej wizyty 🐘"
- title: W trakcie Twojej nieobecności…
favourite:
body: 'Twój wpis został polubiony przez %{name}:'
subject: "%{name} lubi Twój wpis"
@@ -1744,7 +1770,7 @@ pl:
Ten dokument jest CC-BY-SA. Data ostatniej aktualizacji: 26 maja 2022.
- title: Zasady korzystania i polityka prywatności %{instance}
+ title: Polityka prywatności %{instance}
themes:
contrast: Mastodon (Wysoki kontrast)
default: Mastodon (Ciemny)
diff --git a/config/locales/pt-BR.yml b/config/locales/pt-BR.yml
index 4a7800b60..b6da1a3ff 100644
--- a/config/locales/pt-BR.yml
+++ b/config/locales/pt-BR.yml
@@ -28,7 +28,6 @@ pt-BR:
learn_more: Saiba mais
logged_in_as_html: Você está atualmente logado como %{username}.
logout_before_registering: Já está logado.
- privacy_policy: Política de Privacidade
rules: Regras do servidor
rules_html: 'Abaixo está um resumo das regras que você precisa seguir se você quer ter uma conta neste servidor do Mastodon:'
see_whats_happening: Veja o que está acontecendo
@@ -39,7 +38,6 @@ pt-BR:
other: toots
status_count_before: Autores de
tagline: Rede social descentralizada
- terms: Termos de serviço
unavailable_content: Conteúdo indisponível
unavailable_content_description:
domain: Instância
@@ -103,11 +101,17 @@ pt-BR:
avatar: Imagem de perfil
by_domain: Domínio
change_email:
+ changed_msg: E-mail alterado com sucesso!
current_email: E-mail atual
label: Alterar e-mail
new_email: Novo e-mail
submit: Alterar e-mail
title: Alterar e-mail para %{username}
+ change_role:
+ changed_msg: Função alterada com sucesso!
+ label: Alterar função
+ no_role: Nenhuma função
+ title: Alterar função para %{username}
confirm: Confirmar
confirmed: Confirmado
confirming: Confirmando
@@ -151,6 +155,7 @@ pt-BR:
active: Ativo
all: Todos
pending: Pendente
+ silenced: Limitado
suspended: Banidos
title: Moderação
moderation_notes: Notas de moderação
@@ -158,6 +163,7 @@ pt-BR:
most_recent_ip: IP mais recente
no_account_selected: Nenhuma conta foi alterada, pois nenhuma conta foi selecionada
no_limits_imposed: Nenhum limite imposto
+ no_role_assigned: Nenhuma função atribuída
not_subscribed: Não inscrito
pending: Revisão pendente
perform_full_suspension: Banir
@@ -184,6 +190,7 @@ pt-BR:
reset: Redefinir
reset_password: Redefinir senha
resubscribe: Reinscrever-se
+ role: Função
search: Pesquisar
search_same_email_domain: Outros usuários com o mesmo domínio de e-mail
search_same_ip: Outros usuários com o mesmo IP
@@ -226,6 +233,7 @@ pt-BR:
approve_user: Aprovar Usuário
assigned_to_self_report: Adicionar relatório
change_email_user: Editar e-mail do usuário
+ change_role_user: Alteração de Função do Usuário
confirm_user: Confirmar Usuário
create_account_warning: Criar Aviso
create_announcement: Criar Anúncio
@@ -235,6 +243,7 @@ pt-BR:
create_email_domain_block: Criar Bloqueio de Domínio de E-mail
create_ip_block: Criar regra de IP
create_unavailable_domain: Criar domínio indisponível
+ create_user_role: Criar Função
demote_user: Rebaixar usuário
destroy_announcement: Excluir anúncio
destroy_custom_emoji: Excluir emoji personalizado
@@ -245,6 +254,7 @@ pt-BR:
destroy_ip_block: Excluir regra de IP
destroy_status: Excluir Status
destroy_unavailable_domain: Deletar domínio indisponível
+ destroy_user_role: Destruir Função
disable_2fa_user: Desativar autenticação de dois fatores
disable_custom_emoji: Desativar Emoji Personalizado
disable_sign_in_token_auth_user: Desativar autenticação via token por email para Usuário
@@ -272,11 +282,13 @@ pt-BR:
update_custom_emoji: Editar Emoji Personalizado
update_domain_block: Atualizar bloqueio de domínio
update_status: Editar Status
+ update_user_role: Atualizar função
actions:
approve_appeal_html: "%{name} aprovou o recurso de decisão de moderação de %{target}"
approve_user_html: "%{name} aprovado inscrição de %{target}"
assigned_to_self_report_html: "%{name} atribuiu o relatório %{target} para si"
change_email_user_html: "%{name} alterou o endereço de e-mail do usuário %{target}"
+ change_role_user_html: "%{name} alterou a função de %{target}"
confirm_user_html: "%{name} confirmou o endereço de e-mail do usuário %{target}"
create_account_warning_html: "%{name} enviou um aviso para %{target}"
create_announcement_html: "%{name} criou o novo anúncio %{target}"
@@ -286,9 +298,9 @@ pt-BR:
create_email_domain_block_html: "%{name} bloqueou do domínio de e-mail %{target}"
create_ip_block_html: "%{name} criou regra para o IP %{target}"
create_unavailable_domain_html: "%{name} parou a entrega ao domínio %{target}"
+ create_user_role_html: "%{name} criou a função %{target}"
demote_user_html: "%{name} rebaixou o usuário %{target}"
destroy_announcement_html: "%{name} excluiu o anúncio %{target}"
- destroy_custom_emoji_html: "%{name} excluiu emoji %{target}"
destroy_domain_allow_html: "%{name} bloqueou federação com domínio %{target}"
destroy_domain_block_html: "%{name} deixou de bloquear domínio %{target}"
destroy_email_domain_block_html: "%{name} adicionou domínio de e-mail %{target} à lista branca"
@@ -296,6 +308,7 @@ pt-BR:
destroy_ip_block_html: "%{name} excluiu regra para o IP %{target}"
destroy_status_html: "%{name} excluiu post de %{target}"
destroy_unavailable_domain_html: "%{name} retomou a entrega ao domínio %{target}"
+ destroy_user_role_html: "%{name} excluiu a função %{target}"
disable_2fa_user_html: "%{name} desativou a exigência de autenticação de dois fatores para o usuário %{target}"
disable_custom_emoji_html: "%{name} desativou o emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} desativou a autenticação via token por email para %{target}"
@@ -323,7 +336,7 @@ pt-BR:
update_custom_emoji_html: "%{name} atualizou o emoji %{target}"
update_domain_block_html: "%{name} atualizou o bloqueio de domínio de %{target}"
update_status_html: "%{name} atualizou a publicação de %{target}"
- deleted_status: "(status excluído)"
+ update_user_role_html: "%{name} alterou a função %{target}"
empty: Nenhum registro encontrado.
filter_by_action: Filtrar por ação
filter_by_user: Filtrar por usuário
@@ -635,6 +648,54 @@ pt-BR:
unresolved: Não resolvido
updated_at: Atualizado
view_profile: Ver perfil
+ roles:
+ add_new: Adicionar função
+ assigned_users:
+ one: "%{count} usuário"
+ other: "%{count} usuários"
+ categories:
+ administration: Administração
+ invites: Convites
+ moderation: Moderação
+ special: Especial
+ delete: Excluir
+ description_html: Com as funções de usuário, você pode personalizar quais funções e áreas do Mastodon seus usuários podem acessar.
+ edit: Editar função de '%{name}'
+ everyone: Permissões padrão
+ everyone_full_description_html: Esta é a função base que afeta todos os usuários, mesmo aqueles sem uma função atribuída. Todas as outras funções dela herdam as suas permissões.
+ privileges:
+ administrator: Administrador
+ administrator_description: Usuários com essa permissão irão ignorar todas as permissões
+ invite_users: Convidar Usuários
+ invite_users_description: Permite que os usuários convidem novas pessoas para o servidor
+ manage_announcements: Gerenciar Avisos
+ manage_announcements_description: Permite aos usuários gerenciar anúncios no servidor
+ manage_blocks_description: Permite aos usuários bloquear provedores de e-mail e endereços IP
+ manage_custom_emojis_description: Permite aos usuários gerenciar emojis personalizados no servidor
+ manage_federation: Gerenciar Federação
+ manage_federation_description: Permite aos usuários bloquear ou permitir federação com outros domínios e controlar a entregabilidade
+ manage_invites: Gerenciar convites
+ manage_invites_description: Permite que os usuários naveguem e desativem os links de convites
+ manage_reports: Gerenciar relatórios
+ manage_roles: Gerenciar Funções
+ manage_roles_description: Permitir que os usuários gerenciem e atribuam papéis abaixo deles
+ manage_rules: Gerenciar Regras
+ manage_rules_description: Permite que os usuários alterarem as regras do servidor
+ manage_settings: Gerenciar Configurações
+ manage_settings_description: Permite que os usuários alterem as configurações do site
+ manage_taxonomies: Gerenciar taxonomias
+ manage_taxonomies_description: Permite aos usuários rever o conteúdo em alta e atualizar as configurações de hashtag
+ manage_user_access: Gerenciar Acesso de Usuário
+ manage_user_access_description: Permite aos usuários desativar a autenticação de dois fatores de outros usuários, alterar seu endereço de e-mail e redefinir sua senha
+ manage_users: Gerenciar usuários
+ manage_users_description: Permite aos usuários ver os detalhes de outros usuários e executar ações de moderação contra eles
+ manage_webhooks: Gerenciar Webhooks
+ manage_webhooks_description: Permite aos usuários configurar webhooks para eventos administrativos
+ view_audit_log: Ver o registro de auditoria
+ view_audit_log_description: Permite aos usuários ver um histórico de ações administrativas no servidor
+ view_dashboard: Ver painel
+ view_dashboard_description: Permite que os usuários acessem o painel e várias métricas
+ title: Funções
rules:
add_new: Adicionar regra
delete: Deletar
@@ -708,9 +769,6 @@ pt-BR:
site_short_description:
desc_html: Mostrada na barra lateral e em etiquetas de metadados. Descreve o que é o Mastodon e o que torna esta instância especial num único parágrafo. Se deixada em branco, é substituído pela descrição da instância.
title: Descrição curta da instância
- site_terms:
- desc_html: Você pode escrever a sua própria Política de Privacidade, Termos de Serviço, entre outras coisas. Você pode usar tags HTML
- title: Termos de serviço personalizados
site_title: Nome da instância
thumbnail:
desc_html: Usada para prévias via OpenGraph e API. Recomenda-se 1200x630px
@@ -719,9 +777,6 @@ pt-BR:
desc_html: Mostra a linha do tempo pública na página inicial e permite acesso da API à mesma sem autenticação
title: Permitir acesso não autenticado à linha pública
title: Configurações do site
- trendable_by_default:
- desc_html: Afeta as hashtags que não foram reprovadas anteriormente
- title: Permitir que hashtags fiquem em alta sem revisão prévia
trends:
desc_html: Mostrar publicamente hashtags previamente revisadas que estão em alta
title: Hashtags em alta
@@ -768,15 +823,18 @@ pt-BR:
disallow_provider: Anular editor
title: Em alta no momento
usage_comparison: Compartilhado %{today} vezes hoje, em comparação com %{yesterday} de ontem
+ only_allowed: Somente permitido
pending_review: Revisão pendente
preview_card_providers:
allowed: Links deste editor podem tender
+ description_html: Estes são domínios a partir dos quais links são comumente compartilhados em seu servidor. Links não tenderão publicamente a menos que o domínio do link seja aprovado. Sua aprovação (ou rejeição) estende-se aos subdomínios.
rejected: Links deste editor não vão tender
title: Editor
rejected: Rejeitado
statuses:
allow: Permitir postagem
allow_account: Permitir autor
+ description_html: Estes são posts que seu servidor sabe que estão sendo muito compartilhados e favorecidos no momento. Isso pode ajudar seus usuários, novos e retornantes, a encontrar mais pessoas para seguir. Nenhum post é exibido publicamente até que você aprove o autor e o autor permitir que sua conta seja sugerida a outros. Você também pode permitir ou rejeitar postagens individuais.
title: Publicações em alta
tags:
current_score: Pontuação atual %{score}
@@ -1051,6 +1109,7 @@ pt-BR:
edit:
add_keyword: Adicionar palavra-chave
keywords: Palavras-chave
+ statuses: Postagens individuais
title: Editar filtro
errors:
invalid_context: Contexto inválido ou nenhum contexto informado
@@ -1182,17 +1241,6 @@ pt-BR:
subject: "%{name} enviou uma denúncia"
sign_up:
subject: "%{name} se inscreveu"
- digest:
- action: Ver todas as notificações
- body: Aqui está um breve resumo das mensagens que você perdeu desde o seu último acesso em %{since}
- mention: "%{name} te mencionou em:"
- new_followers_summary:
- one: Você tem um novo seguidor! Uia!
- other: Você tem %{count} novos seguidores! AÊÊÊ!
- subject:
- one: "Uma nova notificação desde o seu último acesso 🐘"
- other: "%{count} novas notificações desde o seu último acesso 🐘"
- title: Enquanto você estava ausente...
favourite:
body: "%{name} favoritou seu toot:"
subject: "%{name} favoritou seu toot"
@@ -1467,8 +1515,6 @@ pt-BR:
sensitive_content: Conteúdo sensível
tags:
does_not_match_previous_name: não corresponde ao nome anterior
- terms:
- title: Termos de Serviço e Política de Privacidade de %{instance}
themes:
contrast: Mastodon (Alto contraste)
default: Mastodon (Noturno)
diff --git a/config/locales/pt-PT.yml b/config/locales/pt-PT.yml
index ac21c330e..1493e3be2 100644
--- a/config/locales/pt-PT.yml
+++ b/config/locales/pt-PT.yml
@@ -28,7 +28,7 @@ pt-PT:
learn_more: Saber mais
logged_in_as_html: Está de momento ligado como %{username}.
logout_before_registering: Já tem sessão iniciada.
- privacy_policy: Política de privacidade
+ privacy_policy: Política de Privacidade
rules: Regras da instância
rules_html: 'Abaixo está um resumo das regras que precisa seguir se pretender ter uma conta nesta instância do Mastodon:'
see_whats_happening: Veja o que está a acontecer
@@ -39,7 +39,6 @@ pt-PT:
other: publicações
status_count_before: Que fizeram
tagline: Rede social descentralizada
- terms: Termos de serviço
unavailable_content: Conteúdo indisponível
unavailable_content_description:
domain: Instância
@@ -235,17 +234,21 @@ pt-PT:
approve_user: Aprovar Utilizador
assigned_to_self_report: Atribuir Denúncia
change_email_user: Alterar E-mail do Utilizador
+ change_role_user: Alterar Função do Utilizador
confirm_user: Confirmar Utilizador
create_account_warning: Criar Aviso
create_announcement: Criar Anúncio
+ create_canonical_email_block: Criar Bloqueio de E-mail
create_custom_emoji: Criar Emoji Personalizado
create_domain_allow: Criar Permissão de Domínio
create_domain_block: Criar Bloqueio de Domínio
create_email_domain_block: Criar Bloqueio de Domínio de E-mail
create_ip_block: Criar regra de IP
create_unavailable_domain: Criar Domínio Indisponível
+ create_user_role: Criar Função
demote_user: Despromover Utilizador
destroy_announcement: Eliminar Anúncio
+ destroy_canonical_email_block: Eliminar Bloqueio de E-mail
destroy_custom_emoji: Eliminar Emoji Personalizado
destroy_domain_allow: Eliminar Permissão de Domínio
destroy_domain_block: Eliminar Bloqueio de Domínio
@@ -254,6 +257,7 @@ pt-PT:
destroy_ip_block: Eliminar regra de IP
destroy_status: Eliminar Publicação
destroy_unavailable_domain: Eliminar Domínio Indisponível
+ destroy_user_role: Eliminar Função
disable_2fa_user: Desativar 2FA
disable_custom_emoji: Desativar Emoji Personalizado
disable_sign_in_token_auth_user: Desativar token de autenticação por e-mail para Utilizador
@@ -280,24 +284,30 @@ pt-PT:
update_announcement: Atualizar Anúncio
update_custom_emoji: Atualizar Emoji Personalizado
update_domain_block: Atualizar Bloqueio de Domínio
+ update_ip_block: Atualizar regra de IP
update_status: Atualizar Estado
+ update_user_role: Atualizar Função
actions:
approve_appeal_html: "%{name} aprovou recurso da decisão de moderação de %{target}"
approve_user_html: "%{name} aprovou a inscrição de %{target}"
assigned_to_self_report_html: "%{name} atribuiu a denúncia %{target} a si próprio"
change_email_user_html: "%{name} alterou o endereço de e-mail do utilizador %{target}"
+ change_role_user_html: "%{name} alterou a função de %{target}"
confirm_user_html: "%{name} confirmou o endereço de e-mail do utilizador %{target}"
create_account_warning_html: "%{name} enviou um aviso para %{target}"
create_announcement_html: "%{name} criou o novo anúncio %{target}"
+ create_canonical_email_block_html: "%{name} bloqueou o e-mail com a hash %{target}"
create_custom_emoji_html: "%{name} carregou o novo emoji %{target}"
create_domain_allow_html: "%{name} habilitou a federação com o domínio %{target}"
create_domain_block_html: "%{name} bloqueou o domínio %{target}"
create_email_domain_block_html: "%{name} bloqueou o domínio de e-mail %{target}"
create_ip_block_html: "%{name} criou regra para o IP %{target}"
create_unavailable_domain_html: "%{name} parou a entrega ao domínio %{target}"
+ create_user_role_html: "%{name} criou a função %{target}"
demote_user_html: "%{name} despromoveu o utilizador %{target}"
destroy_announcement_html: "%{name} eliminou o anúncio %{target}"
- destroy_custom_emoji_html: "%{name} destruiu o emoji %{target}"
+ destroy_canonical_email_block_html: "%{name} desbloqueou o e-mail com a hash %{target}"
+ destroy_custom_emoji_html: "%{name} eliminou o emoji %{target}"
destroy_domain_allow_html: "%{name} desabilitou a federação com o domínio %{target}"
destroy_domain_block_html: "%{name} desbloqueou o domínio %{target}"
destroy_email_domain_block_html: "%{name} desbloqueou o domínio de e-mail %{target}"
@@ -305,6 +315,7 @@ pt-PT:
destroy_ip_block_html: "%{name} eliminou regra para o IP %{target}"
destroy_status_html: "%{name} removeu a publicação de %{target}"
destroy_unavailable_domain_html: "%{name} retomou a entrega ao domínio %{target}"
+ destroy_user_role_html: "%{name} eliminou a função %{target}"
disable_2fa_user_html: "%{name} desativou o requerimento de autenticação em dois passos para o utilizador %{target}"
disable_custom_emoji_html: "%{name} desabilitou o emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} desativou token de autenticação por e-mail para %{target}"
@@ -331,8 +342,9 @@ pt-PT:
update_announcement_html: "%{name} atualizou o anúncio %{target}"
update_custom_emoji_html: "%{name} atualizou o emoji %{target}"
update_domain_block_html: "%{name} atualizou o bloqueio de domínio para %{target}"
+ update_ip_block_html: "%{name} alterou regra para IP %{target}"
update_status_html: "%{name} atualizou o estado de %{target}"
- deleted_status: "(publicação eliminada)"
+ update_user_role_html: "%{name} alterou a função %{target}"
empty: Não foram encontrados registos.
filter_by_action: Filtrar por ação
filter_by_user: Filtrar por utilizador
@@ -784,8 +796,8 @@ pt-PT:
desc_html: Mostrada na barra lateral e em etiquetas de metadados. Descreve o que o Mastodon é e o que torna esta instância especial num único parágrafo. Se deixada em branco, remete para a descrição da instância.
title: Breve descrição da instância
site_terms:
- desc_html: Podes escrever a sua própria política de privacidade, termos de serviço, entre outras coisas. Pode utilizar etiquetas HTML
- title: Termos de serviço personalizados
+ desc_html: Pode escrever a sua própria política de privacidade. Pode utilizar código HTML
+ title: Política de privacidade personalizada
site_title: Título do site
thumbnail:
desc_html: Usada para visualizações via OpenGraph e API. Recomenda-se 1200x630px
@@ -795,8 +807,8 @@ pt-PT:
title: Visualização da linha temporal
title: Configurações do site
trendable_by_default:
- desc_html: Afecta as hashtags que ainda não tenham sido proibidas
- title: Permitir hashtags em tendência sem revisão prévia
+ desc_html: Conteúdo específico em tendência pode mesmo assim ser explicitamente rejeitado
+ title: Permitir tendências sem revisão prévia
trends:
desc_html: Exibir publicamente hashtags atualmente em destaque que já tenham sido revistas anteriormente
title: Hashtags em destaque
@@ -1181,6 +1193,8 @@ pt-PT:
edit:
add_keyword: Adicionar palavra-chave
keywords: Palavras-chave
+ statuses: Publicações individuais
+ statuses_hint_html: Este filtro aplica-se a publicações individuais selecionadas independentemente de estas corresponderem às palavras-chave abaixo. Reveja ou remova publicações do filtro.
title: Editar filtros
errors:
deprecated_api_multiple_keywords: Estes parâmetros não podem ser alterados a partir deste aplicativo porque se aplicam a mais de um filtro de palavra-chave. Use um aplicativo mais recente ou a interface web.
@@ -1194,10 +1208,23 @@ pt-PT:
keywords:
one: "%{count} palavra-chave"
other: "%{count} palavras-chaves"
+ statuses:
+ one: "%{count} publicação"
+ other: "%{count} publicações"
+ statuses_long:
+ one: "%{count} publicação individual ocultada"
+ other: "%{count} publicações individuais ocultadas"
title: Filtros
new:
save: Salvar novo filtro
title: Adicionar novo filtro
+ statuses:
+ back_to_filter: Voltar ao filtro
+ batch:
+ remove: Remover do filtro
+ index:
+ hint: Este filtro aplica-se a publicações individuais selecionadas independentemente de outros critérios. Pode adicionar mais publicações a este filtro através da interface web.
+ title: Publicações filtradas
footer:
developers: Responsáveis pelo desenvolvimento
more: Mais…
@@ -1205,12 +1232,22 @@ pt-PT:
trending_now: Tendências atuais
generic:
all: Tudo
+ all_items_on_page_selected_html:
+ one: "%{count} item nesta página está selecionado."
+ other: Todo os %{count} items nesta página estão selecionados.
+ all_matching_items_selected_html:
+ one: "%{count} item que corresponde à sua pesquisa está selecionado."
+ other: Todos os %{count} items que correspondem à sua pesquisa estão selecionados.
changes_saved_msg: Alterações guardadas!
copy: Copiar
delete: Eliminar
+ deselect: Desmarcar todos
none: Nenhum
order_by: Ordenar por
save_changes: Guardar alterações
+ select_all_matching_items:
+ one: Selecione %{count} item que corresponde à sua pesquisa.
+ other: Selecione todos os %{count} items que correspondem à sua pesquisa.
today: hoje
validation_errors:
one: Algo não está correcto. Por favor vê o erro abaixo
@@ -1319,17 +1356,6 @@ pt-PT:
subject: "%{name} submeteu uma denúncia"
sign_up:
subject: "%{name} inscreveu-se"
- digest:
- action: Ver todas as notificações
- body: Aqui tens um breve resumo do que perdeste desde o último acesso a %{since}
- mention: "%{name} mencionou-te em:"
- new_followers_summary:
- one: Tens um novo seguidor! Boa!
- other: Tens %{count} novos seguidores! Fantástico!
- subject:
- one: "1 nova notificação desde o seu último acesso 🐘"
- other: "%{count} novas notificações desde o seu último acesso 🐘"
- title: Enquanto estiveste ausente…
favourite:
body: 'O teu post foi adicionado aos favoritos por %{name}:'
subject: "%{name} adicionou o teu post aos favoritos"
@@ -1692,7 +1718,7 @@ pt-PT:
Este documento é CC-BY-SA. Ele foi actualizado pela última vez em 26 de Maio 2022.
- title: "%{instance} Termos de Serviço e Política de Privacidade"
+ title: Política de Privacidade de %{instance}
themes:
contrast: Mastodon (Elevado contraste)
default: Mastodon
diff --git a/config/locales/ro.yml b/config/locales/ro.yml
index 8ed812e5b..8f7d42fd4 100644
--- a/config/locales/ro.yml
+++ b/config/locales/ro.yml
@@ -25,7 +25,6 @@ ro:
Acest cont este un actor virtual folosit pentru a reprezenta serverul în sine și nu un utilizator individual.
Acesta este folosit în scopuri de federație și nu ar trebui blocat decât dacă doriți să blocați întreaga instanță, în ce caz trebuie să utilizaţi un bloc de domeniu.
learn_more: Află mai multe
- privacy_policy: Politica de confidenţialitate
rules: Regulile serverului
rules_html: 'Mai jos este un rezumat al regulilor pe care trebuie să le urmezi dacă vrei să ai un cont pe acest server de Mastodon:'
see_whats_happening: Vezi ce se întâmplă
@@ -36,7 +35,6 @@ ro:
one: stare
other: de stări
status_count_before: Care au postat
- terms: Termeni de serviciu
unavailable_content: Conținut indisponibil
unavailable_content_description:
domain: Server
@@ -592,8 +590,6 @@ ro:
sensitive_content: Conținut sensibil
tags:
does_not_match_previous_name: nu se potrivește cu numele anterior
- terms:
- title: "%{instance} Termeni de utilizare și Politica de confidențialitate"
themes:
contrast: Mastodon (contrast mare)
default: Mastodon (Întunecat)
diff --git a/config/locales/ru.yml b/config/locales/ru.yml
index 7cdf1f0c7..4d5c6dfe8 100644
--- a/config/locales/ru.yml
+++ b/config/locales/ru.yml
@@ -41,7 +41,6 @@ ru:
other: поста
status_count_before: И опубликовано
tagline: Децентрализованная социальная сеть
- terms: Условия использования
unavailable_content: Недоступный контент
unavailable_content_description:
domain: Сервер
@@ -245,17 +244,21 @@ ru:
approve_user: Утвердить
assigned_to_self_report: Присвоение жалоб
change_email_user: Изменение эл. почты пользователя
+ change_role_user: Изменить роль пользователя
confirm_user: Подтверждение пользователей
create_account_warning: Выдача предупреждения
create_announcement: Создание объявлений
+ create_canonical_email_block: Создать блокировку эл. почты
create_custom_emoji: Добавление эмодзи
create_domain_allow: Разрешение доменов
create_domain_block: Блокировка доменов
create_email_domain_block: Блокировка e-mail доменов
create_ip_block: Создание правил для IP-адресов
create_unavailable_domain: Добавление домена в список недоступных
+ create_user_role: Создать роль
demote_user: Разжалование пользователей
destroy_announcement: Удаление объявлений
+ destroy_canonical_email_block: Удалить блокировку эл. почты
destroy_custom_emoji: Удаление эмодзи
destroy_domain_allow: Отзыв разрешений для доменов
destroy_domain_block: Разблокировка доменов
@@ -264,6 +267,7 @@ ru:
destroy_ip_block: Удаление правил для IP-адресов
destroy_status: Удаление постов
destroy_unavailable_domain: Исключение доменов из списка недоступных
+ destroy_user_role: Удалить роль
disable_2fa_user: Отключение 2FA
disable_custom_emoji: Отключение эмодзи
disable_sign_in_token_auth_user: Отключение аутентификации по e-mail кодам у пользователей
@@ -290,21 +294,26 @@ ru:
update_announcement: Обновление объявлений
update_custom_emoji: Обновление эмодзи
update_domain_block: Изменение блокировки домена
+ update_ip_block: Обновить правило для IP-адреса
update_status: Изменение постов
+ update_user_role: Обновить роль
actions:
approve_appeal_html: "%{name} одобрил апелляцию на умеренное решение от %{target}"
approve_user_html: "%{name} утвердил(а) регистрацию %{target}"
assigned_to_self_report_html: "%{name} назначил(а) себя для решения жалобы %{target}"
change_email_user_html: "%{name} сменил(а) e-mail пользователя %{target}"
+ change_role_user_html: "%{name} изменил(а) роль %{target}"
confirm_user_html: "%{name} подтвердил(а) e-mail адрес пользователя %{target}"
create_account_warning_html: "%{name} выдал(а) предупреждение %{target}"
create_announcement_html: "%{name} создал(а) новое объявление %{target}"
+ create_canonical_email_block_html: "%{name} заблокировал(а) эл. почту с хешем %{target}"
create_custom_emoji_html: "%{name} загрузил(а) новый эмодзи %{target}"
create_domain_allow_html: "%{name} разрешил(а) федерацию с доменом %{target}"
create_domain_block_html: "%{name} заблокировал(а) домен %{target}"
create_email_domain_block_html: "%{name} заблокировал(а) e-mail домен %{target}"
create_ip_block_html: "%{name} создал(а) правило для IP %{target}"
create_unavailable_domain_html: "%{name} приостановил доставку на узел %{target}"
+ create_user_role_html: "%{name} создал(а) роль %{target}"
demote_user_html: "%{name} разжаловал(а) пользователя %{target}"
destroy_announcement_html: "%{name} удалил(а) объявление %{target}"
destroy_custom_emoji_html: "%{name} удалил(а) эмодзи %{target}"
@@ -315,6 +324,7 @@ ru:
destroy_ip_block_html: "%{name} удалил(а) правило для IP %{target}"
destroy_status_html: "%{name} удалил(а) пост пользователя %{target}"
destroy_unavailable_domain_html: "%{name} возобновил доставку на узел %{target}"
+ destroy_user_role_html: "%{name} удалил(а) роль %{target}"
disable_2fa_user_html: "%{name} отключил(а) требование двухэтапной авторизации для пользователя %{target}"
disable_custom_emoji_html: "%{name} отключил(а) эмодзи %{target}"
disable_sign_in_token_auth_user_html: "%{name} отключил(а) аутентификацию по e-mail кодам для %{target}"
@@ -342,7 +352,6 @@ ru:
update_custom_emoji_html: "%{name} обновил(а) эмодзи %{target}"
update_domain_block_html: "%{name} обновил(а) блокировку домена для %{target}"
update_status_html: "%{name} изменил(а) пост пользователя %{target}"
- deleted_status: "(удалённый пост)"
empty: Журнал пуст.
filter_by_action: Фильтр по действию
filter_by_user: Фильтр по пользователю
@@ -692,6 +701,8 @@ ru:
invite_users_description: Позволяет пользователям приглашать новых людей на сервер
manage_announcements: Управление объявлениями
manage_announcements_description: Позволяет пользователям управлять объявлениями на сервере
+ view_dashboard: Открыть панель управления
+ view_devops: DevOps
title: Роли
rules:
add_new: Добавить правило
@@ -767,8 +778,8 @@ ru:
desc_html: Отображается в боковой панели и в тегах. Опишите, что такое Mastodon и что делает именно этот узел особенным. Если пусто, используется описание узла по умолчанию.
title: Краткое описание узла
site_terms:
- desc_html: Вы можете добавить сюда собственную политику конфиденциальности, пользовательское соглашение и другие документы. Можно использовать теги HTML
- title: Условия использования
+ desc_html: Вы можете написать собственную политику конфиденциальности. Вы можете использовать теги HTML
+ title: Собственная политика конфиденциальности
site_title: Название сайта
thumbnail:
desc_html: Используется для предпросмотра с помощью OpenGraph и API. Рекомендуется разрешение 1200x630px
@@ -777,9 +788,6 @@ ru:
desc_html: Показывать публичную ленту на приветственной странице
title: Предпросмотр ленты
title: Настройки сайта
- trendable_by_default:
- desc_html: Влияет на хэштеги, которые не были ранее запрещены
- title: Разрешить добавление хештегов в список актульных без предварительной проверки
trends:
desc_html: Публично отобразить проверенные хэштеги, актуальные на данный момент
title: Популярные хэштеги
@@ -1137,7 +1145,7 @@ ru:
csv: CSV
domain_blocks: Доменные блокировки
lists: Списки
- mutes: Ваши игнорируемые
+ mutes: Ваши игнорируете
storage: Ваши файлы
featured_tags:
add_new: Добавить
@@ -1154,6 +1162,7 @@ ru:
edit:
add_keyword: Добавить ключевое слово
keywords: Ключевые слова
+ statuses: Отдельные сообщения
title: Изменить фильтр
errors:
deprecated_api_multiple_keywords: Эти параметры нельзя изменить из этого приложения, так как применяются к более чем одному ключевому слову фильтра. Используйте более последнее приложение или веб-интерфейс.
@@ -1173,6 +1182,10 @@ ru:
new:
save: Сохранить новый фильтр
title: Добавить фильтр
+ statuses:
+ back_to_filter: Вернуться к фильтру
+ batch:
+ remove: Удалить из фильтра
footer:
developers: Разработчикам
more: Ещё…
@@ -1290,7 +1303,7 @@ ru:
title: Модерация
move_handler:
carry_blocks_over_text: Этот пользователь переехал с учётной записи %{acct}, которую вы заблокировали.
- carry_mutes_over_text: Этот пользователь переехал с учётной записи %{acct}, которую вы добавили в список игнорирования.
+ carry_mutes_over_text: Этот пользователь перешёл с учётной записи %{acct}, которую вы игнорируете.
copy_account_note_text: 'Этот пользователь переехал с %{acct}, вот ваша предыдущая заметка о нём:'
notification_mailer:
admin:
@@ -1298,21 +1311,6 @@ ru:
subject: "%{name} отправил жалобу"
sign_up:
subject: "%{name} зарегистрирован"
- digest:
- action: Просмотреть все уведомления
- body: Вот краткая сводка сообщений, которые вы пропустили с последнего захода %{since}
- mention: "%{name} упомянул(а) Вас в:"
- new_followers_summary:
- few: У вас появилось %{count} новых подписчика! Отлично!
- many: У вас появилось %{count} новых подписчиков! Отлично!
- one: Также, пока вас не было, у вас появился новый подписчик! Ура!
- other: Также, пока вас не было, у вас появилось %{count} новых подписчиков! Отлично!
- subject:
- few: "%{count} новых уведомления с вашего последнего посещения 🐘"
- many: "%{count} новых уведомлений с вашего последнего посещения 🐘"
- one: "1 новое уведомление с вашего последнего посещения 🐘"
- other: "%{count} новых уведомлений с вашего последнего посещения 🐘"
- title: В ваше отсутствие…
favourite:
body: "%{name} добавил(а) ваш пост в избранное:"
subject: "%{name} добавил(а) ваш пост в избранное"
@@ -1566,7 +1564,7 @@ ru:
enabled_hint: Автоматически удаляет ваши посты после того, как они достигли определённого возрастного порога, за некоторыми исключениями ниже.
exceptions: Исключения
explanation: Из-за того, что удаление постов — это ресурсоёмкий процесс, оно производится медленно со временем, когда сервер менее всего загружен. По этой причине, посты могут удаляться не сразу, а спустя определённое время, по достижению возрастного порога.
- ignore_favs: Игнорировать отметки «избранного»
+ ignore_favs: Игнорировать избранное
ignore_reblogs: Игнорировать продвижения
interaction_exceptions: Исключения на основе взаимодействий
interaction_exceptions_explanation: 'Обратите внимание: нет никаких гарантий, что посты будут удалены, после того, как они единожды перешли порог по отметкам «избранного» или продвижений.'
@@ -1606,7 +1604,7 @@ ru:
tags:
does_not_match_previous_name: не совпадает с предыдущим именем
terms:
- title: Условия обслуживания и политика конфиденциальности %{instance}
+ title: Политика конфиденциальности %{instance}
themes:
contrast: Mastodon (высококонтрастная)
default: Mastodon (тёмная)
diff --git a/config/locales/sc.yml b/config/locales/sc.yml
index e6ee2bca9..a031b27ad 100644
--- a/config/locales/sc.yml
+++ b/config/locales/sc.yml
@@ -25,7 +25,6 @@ sc:
'
learn_more: Àteras informatziones
- privacy_policy: Polìtica de riservadesa
rules: Règulas de su serbidore
rules_html: 'Depes sighire is règulas imbenientes si boles tènnere unu contu in custu serbidore de Mastodon:'
see_whats_happening: Càstia su chi est acontessende
@@ -35,7 +34,6 @@ sc:
one: istadu
other: istados
status_count_before: Atributzione de
- terms: Cunditziones de su servìtziu
unavailable_content: Serbidores moderados
unavailable_content_description:
domain: Serbidore
@@ -257,7 +255,6 @@ sc:
create_ip_block_html: "%{name} at creadu una règula pro s'IP %{target}"
demote_user_html: "%{name} at degradadu s'utente %{target}"
destroy_announcement_html: "%{name} at cantzelladu s'annùntziu %{target}"
- destroy_custom_emoji_html: "%{name} at cantzelladu s'emoji %{target}"
destroy_domain_allow_html: "%{name} no at permìtidu sa federatzione cun su domìniu %{target}"
destroy_domain_block_html: "%{name} at isblocadu su domìniu %{target}"
destroy_email_domain_block_html: "%{name} at isblocadu su domìniu de posta eletrònica %{target}"
@@ -285,7 +282,6 @@ sc:
update_custom_emoji_html: "%{name} at atualizadu s'emoji %{target}"
update_domain_block_html: "%{name} at atualizadu su blocu de domìniu pro %{target}"
update_status_html: "%{name} at atualizadu sa publicatzione de %{target}"
- deleted_status: "(istadu cantzelladu)"
empty: Perunu registru agatadu.
filter_by_action: Filtra pro atzione
filter_by_user: Filtra pro utente
@@ -560,9 +556,6 @@ sc:
site_short_description:
desc_html: Ammustradu in sa barra laterale e in is meta-etichetas. Descrie ite est Mastodon e pro ite custu serbidore est ispetziale in unu paràgrafu.
title: Descritzione curtza de su serbidore
- site_terms:
- desc_html: Podes iscrìere sa normativa de riservadesa tua, cunditziones de servìtziu e àteras normas legales. Podes impreare etichetas HTML
- title: Cunditziones de su servìtziu personalizadas
site_title: Nòmine de su serbidore
thumbnail:
desc_html: Impreadu pro otènnere pre-visualizatziones pro mèdiu de OpenGraph e API. Cussigiadu 1200x630px
@@ -571,9 +564,6 @@ sc:
desc_html: Ammustra su ligàmene a sa lìnia de tempus pùblica in sa pàgina initziale e permite s'atzessu pro mèdiu de s'API a sa lìnia de tempus pùblica sena autenticatzione
title: Permite s'atzessu no autenticadu a sa lìnia de tempus pùblica
title: Cunfiguratzione de su logu
- trendable_by_default:
- desc_html: Tocat a is etichetas chi non siant istadas refudadas prima
- title: Permite chi is etichetas divenant tendèntzia sena revisione pretzedente
trends:
desc_html: Ammustra in pùblicu is etichetas chi siant istadas revisionadas in passadu e chi oe siant in tendèntzia
title: Etichetas de tendèntzia
@@ -910,14 +900,6 @@ sc:
carry_mutes_over_text: Custa persone s'est tramudada dae %{acct}, chi as postu a sa muda.
copy_account_note_text: 'Custa persone s''est tramudada dae %{acct}, custas sunt is notas antepostas tuas chi ddi pertocant:'
notification_mailer:
- digest:
- action: Ammustra totu is notìficas
- body: Custu est unu resumu de su chi ti est sutzèdidu dae sa visita ùrtima tua su %{since}
- mention: "%{name} t'at mentovadu in:"
- new_followers_summary:
- one: In prus, %{count} persone noa ti sighit dae cando fias assente. Incredìbile!
- other: In prus, %{count} persones noas ti sighint dae cando fias assente. Incredìbile!
- title: Durante s'ausèntzia tua...
favourite:
body: "%{name} at marcadu comente a preferidu s'istadu tuo:"
subject: "%{name} at marcadu comente a preferidu s'istadu tuo"
@@ -1154,8 +1136,6 @@ sc:
sensitive_content: Cuntenutu sensìbile
tags:
does_not_match_previous_name: non cointzidet cun su nòmine anteriore
- terms:
- title: "%{instance} Cunditziones de su servìtziu e polìtica de riservadesa"
themes:
contrast: Mastodon (cuntrastu artu)
default: Mastodon (iscuru)
diff --git a/config/locales/si.yml b/config/locales/si.yml
index 811cd7a47..1806801eb 100644
--- a/config/locales/si.yml
+++ b/config/locales/si.yml
@@ -28,7 +28,6 @@ si:
learn_more: තව දැනගන්න
logged_in_as_html: ඔබ දැනට %{username}ලෙස පුරනය වී ඇත.
logout_before_registering: ඔබ දැනටමත් පුරනය වී ඇත.
- privacy_policy: රහස්යතා ප්රතිපත්තිය
rules: සේවාදායකයේ නීති
rules_html: 'ඔබට Mastodon හි මෙම සේවාදායකයේ ගිණුමක් ඇති කර ගැනීමට අවශ්ය නම් ඔබ අනුගමනය කළ යුතු නීති වල සාරාංශයක් පහත දැක්වේ:'
see_whats_happening: මොකද වෙන්නේ කියලා බලන්න
@@ -39,7 +38,6 @@ si:
other: තත්ත්වයන්
status_count_before: කවුද පළ කළේ
tagline: විමධ්යගත සමාජ ජාලය
- terms: සේවාවේ කොන්දේසි
unavailable_content: මධ්යස්ථ සේවාදායකයන්
unavailable_content_description:
domain: සේවාදායකය
@@ -288,7 +286,6 @@ si:
create_unavailable_domain_html: "%{name} වසම %{target}වෙත බෙදා හැරීම නැවැත්වීය"
demote_user_html: "%{name} පහත හෙලන ලද පරිශීලක %{target}"
destroy_announcement_html: "%{name} මකා දැමූ නිවේදනය %{target}"
- destroy_custom_emoji_html: "%{name} විනාශ වූ ඉමොජි %{target}"
destroy_domain_allow_html: වසම %{target}සමඟ %{name} අවසර නොදුන් සම්මේලනය
destroy_domain_block_html: "%{name} අවහිර නොකළ වසම %{target}"
destroy_email_domain_block_html: "%{name} අවහිර නොකළ විද්යුත් තැපැල් වසම %{target}"
@@ -323,7 +320,6 @@ si:
update_custom_emoji_html: "%{name} යාවත්කාලීන කළ ඉමොජි %{target}"
update_domain_block_html: "%{target}සඳහා %{name} යාවත්කාලීන කරන ලද වසම් වාරණ"
update_status_html: "%{name} %{target}යාවත්කාලීන කරන ලද පළ කිරීම"
- deleted_status: "(මකා දැමූ පළ කිරීම)"
empty: ලඝු-සටහන් හමු නොවිණි.
filter_by_action: ක්රියාව අනුව පෙරන්න
filter_by_user: පරිශීලක අනුව පෙරන්න
@@ -713,9 +709,6 @@ si:
site_short_description:
desc_html: පැති තීරුවේ සහ මෙටා ටැග්වල පෙන්වයි. Mastodon යනු කුමක්ද සහ මෙම සේවාදායකය විශේෂ වන්නේ කුමක්ද යන්න තනි ඡේදයකින් විස්තර කරන්න.
title: සේවාදායකයේ කෙටි සවිස්තරය
- site_terms:
- desc_html: ඔබට ඔබේම රහස්යතා ප්රතිපත්තියක්, සේවා කොන්දේසි හෝ වෙනත් නීත්යානුකූල භාවයක් ලිවිය හැක. ඔබට HTML ටැග් භාවිතා කළ හැකිය
- title: අභිරුචි සේවා කොන්දේසි
site_title: සේවාදායකයේ නම
thumbnail:
desc_html: OpenGraph සහ API හරහා පෙරදසුන් සඳහා භාවිතා වේ. 1200x630px නිර්දේශිතයි
@@ -724,9 +717,6 @@ si:
desc_html: ගොඩබෑමේ පිටුවේ පොදු කාලරාමුව වෙත සබැඳිය සංදර්ශනය කරන්න සහ සත්යාපනයකින් තොරව පොදු කාලරේඛාවට API ප්රවේශයට ඉඩ දෙන්න
title: පොදු කාලරේඛාවට අනවසර පිවිසීමට ඉඩ දෙන්න
title: අඩවියේ සැකසුම්
- trendable_by_default:
- desc_html: කලින් අවසර නොදුන් හැෂ් ටැග් වලට බලපායි
- title: පෙර සමාලෝචනයකින් තොරව හැෂ් ටැග් වලට නැඹුරු වීමට ඉඩ දෙන්න
trends:
desc_html: දැනට ප්රවණතා ඇති කලින් සමාලෝචනය කළ අන්තර්ගතය ප්රසිද්ධියේ සංදර්ශන කරන්න
title: ප්රවණතා
@@ -1161,9 +1151,9 @@ si:
expired: කල් ඉකුත් වී ඇත
expires_in:
'1800': විනාඩි 30
- '21600': හෝරා 6
- '3600': හෝරා 1
- '43200': හෝරා 12
+ '21600': පැය 6
+ '3600': පැය 1
+ '43200': පැය 12
'604800': සති 1
'86400': දවස් 1
expires_in_prompt: කවදාවත් නැහැ
@@ -1240,17 +1230,6 @@ si:
subject: "%{name} වාර්තාවක් ඉදිරිපත් කළේය"
sign_up:
subject: "%{name} අත්සන් කර ඇත"
- digest:
- action: සියලුම දැනුම්දීම් බලන්න
- body: "%{since}වෙනිදා ඔබගේ අවසන් සංචාරයේ සිට ඔබට මග හැරුණු පණිවිඩවල කෙටි සාරාංශයක් මෙන්න"
- mention: "%{name} ඔබව සඳහන් කළේ:"
- new_followers_summary:
- one: එසේම, ඔබ බැහැරව සිටියදී එක් නව අනුගාමිකයෙකු ලබා ගෙන ඇත! Yay!
- other: එසේම, ඔබ බැහැරව සිටියදී නව අනුගාමිකයින් %{count} ක් ලබාගෙන ඇත! අරුම පුදුම!
- subject:
- one: "ඔබගේ අවසන් සංචාරයේ සිට 1 නව දැනුම්දීමක් 🐘"
- other: "ඔබගේ අවසන් සංචාරයේ සිට නව දැනුම්දීම් %{count} ක් 🐘"
- title: ඔබ නොමැති විට...
favourite:
body: 'ඔබේ පළ කිරීම %{name}විසින් ප්රිය කරන ලදී:'
subject: "%{name} ඔබගේ පළ කිරීම ප්රිය කරන ලදී"
@@ -1530,8 +1509,6 @@ si:
too_late: මෙම වර්ජනයට අභියාචනයක් ඉදිරිපත් කිරීමට ප්රමාද වැඩියි
tags:
does_not_match_previous_name: පෙර නමට නොගැලපේ
- terms:
- title: "%{instance} සේවා නියම සහ රහස්යතා ප්රතිපත්තිය"
themes:
contrast: Mastodon (ඉහළ වෙනස)
default: මැස්ටෝඩන් (අඳුරු)
diff --git a/config/locales/simple_form.ca.yml b/config/locales/simple_form.ca.yml
index f13624403..559185c2c 100644
--- a/config/locales/simple_form.ca.yml
+++ b/config/locales/simple_form.ca.yml
@@ -85,6 +85,7 @@ ca:
ip: Introdueix una adreça IPv4 o IPv6. Pots bloquejar rangs complets amb la sintaxi CIDR. Ves a compte no et bloquegis a tu mateix!
severities:
no_access: Bloqueja l’accés a tots els recursos
+ sign_up_block: Els nous registres no seran possibles
sign_up_requires_approval: Els nous registres requeriran la teva aprovació
severity: Tria què passarà amb les sol·licituds des d’aquesta IP
rule:
@@ -219,6 +220,7 @@ ca:
ip: IP
severities:
no_access: Bloquejar l’accés
+ sign_up_block: Bloqueja registres
sign_up_requires_approval: Limitar els registres
severity: Regla
notification_emails:
@@ -251,6 +253,7 @@ ca:
events: Esdeveniments activats
url: URL del extrem
'no': 'No'
+ not_recommended: No recomanat
recommended: Recomanat
required:
mark: "*"
diff --git a/config/locales/simple_form.cs.yml b/config/locales/simple_form.cs.yml
index bc84e0f39..abbe91160 100644
--- a/config/locales/simple_form.cs.yml
+++ b/config/locales/simple_form.cs.yml
@@ -68,6 +68,11 @@ cs:
with_dns_records: Dojde k pokusu o překlad DNS záznamů dané domény a výsledky budou rovněž zablokovány
featured_tag:
name: 'Nejspíš budete chtít použít jeden z těchto:'
+ filters:
+ action: Vyberte jakou akci provést, když příspěvek odpovídá filtru
+ actions:
+ hide: Úplně schovat filtrovaný obsah tak, jako by neexistoval
+ warn: Schovat filtrovaný obsah za varováním zmiňujicím název filtru
form_challenge:
current_password: Vstupujete do zabezpečeného prostoru
imports:
@@ -80,6 +85,7 @@ cs:
ip: Zadejte IPv4 nebo IPv6 adresu. Můžete blokovat celé rozsahy použitím CIDR notace. Dejte pozor, ať neodříznete přístup sami sobě!
severities:
no_access: Blokovat přístup ke všem zdrojům
+ sign_up_block: Nové přihlášení nebude možné
sign_up_requires_approval: Nové registrace budou vyžadovat schválení
severity: Zvolte, jak naložit s požadavky z dané IP
rule:
@@ -91,9 +97,13 @@ cs:
name: Můžete měnit pouze velikost písmen, například kvůli lepší čitelnosti
user:
chosen_languages: Po zaškrtnutí budou ve veřejných časových osách zobrazeny pouze příspěvky ve zvolených jazycích
+ role: Role určuje, která oprávnění má uživatel
user_role:
+ color: Barva, která má být použita pro roli v celém UI, jako RGB v hex formátu
highlighted: Toto roli učiní veřejně viditelnou
+ name: Veřejný název role, pokud má být role zobrazena jako odznak
permissions_as_keys: Uživatelé s touto rolí budou moci...
+ position: Vyšší role rozhoduje o řešení konfliktů v určitých situacích. Některé akce lze provádět pouze na rolích s nižší prioritou
webhook:
events: Zvolte odesílané události
url: Kam budou události odesílány
@@ -184,6 +194,7 @@ cs:
setting_use_pending_items: Pomalý režim
severity: Vážnost
sign_in_token_attempt: Bezpečnostní kód
+ title: Název
type: Typ importu
username: Uživatelské jméno
username_or_email: Uživatelské jméno nebo e-mail
@@ -192,6 +203,10 @@ cs:
with_dns_records: Zahrnout MX záznamy a IP adresy domény
featured_tag:
name: Hashtag
+ filters:
+ actions:
+ hide: Zcela skrýt
+ warn: Skrýt s varováním
interactions:
must_be_follower: Blokovat oznámení od lidí, kteří vás nesledují
must_be_following: Blokovat oznámení od lidí, které nesledujete
@@ -205,6 +220,7 @@ cs:
ip: IP
severities:
no_access: Blokovat přístup
+ sign_up_block: Blokovat registrace
sign_up_requires_approval: Omezit registrace
severity: Pravidlo
notification_emails:
@@ -237,6 +253,7 @@ cs:
events: Zapnuté události
url: URL koncového bodu
'no': Ne
+ not_recommended: Nedoporučuje se
recommended: Doporučeno
required:
mark: "*"
diff --git a/config/locales/simple_form.da.yml b/config/locales/simple_form.da.yml
index 0c190f1b3..5de688e12 100644
--- a/config/locales/simple_form.da.yml
+++ b/config/locales/simple_form.da.yml
@@ -85,6 +85,7 @@ da:
ip: Angiv en IPv4- eller IPv6-adresse. Hele intervaller kan blokeres vha. CIDR-syntaksen. Pas på med ikke selv at blive låst ude!
severities:
no_access: Blokér adgang til alle ressourcer
+ sign_up_block: Nye tilmeldinger vil ikke være mulige
sign_up_requires_approval: Nye tilmeldinger kræver din godkendelse
severity: Afgør, hvordan forespørgsler fra denne IP behandles
rule:
@@ -219,6 +220,7 @@ da:
ip: IP
severities:
no_access: Blokér adgang
+ sign_up_block: Blokér tilmeldinger
sign_up_requires_approval: Begræns tilmeldinger
severity: Regel
notification_emails:
@@ -251,6 +253,7 @@ da:
events: Aktive begivenheder
url: Endepunkts-URL
'no': Nej
+ not_recommended: Ikke anbefalet
recommended: Anbefalet
required:
mark: "*"
diff --git a/config/locales/simple_form.de.yml b/config/locales/simple_form.de.yml
index 46472cdcf..0d712bf5f 100644
--- a/config/locales/simple_form.de.yml
+++ b/config/locales/simple_form.de.yml
@@ -22,9 +22,9 @@ de:
suspend: Verhindert jegliche Interaktion von oder zu diesem Konto und löscht dessen Inhalt. Kann innerhalb von 30 Tagen rückgängig gemacht werden.
warning_preset_id: Optional. Du kannst immer noch eigenen Text an das Ende der Vorlage hinzufügen
announcement:
- all_day: Wenn aktiviert werden nur die Daten des Zeitraums angezeigt
+ all_day: Wenn aktiviert, werden nur die Daten des Zeitraums angezeigt
ends_at: Optional. Die Ankündigung wird zu diesem Zeitpunkt automatisch zurückgezogen
- scheduled_at: Leer lassen um die Ankündigung sofort zu veröffentlichen
+ scheduled_at: Leer lassen, um die Ankündigung sofort zu veröffentlichen
starts_at: Optional. Falls deine Ankündigung an einen bestimmten Zeitraum gebunden ist
text: Du kannst die Toot-Syntax verwenden. Bitte beachte den Platz, den die Ankündigung auf dem Bildschirm des Benutzers einnehmen wird
appeal:
@@ -37,7 +37,7 @@ de:
current_password: Aus Sicherheitsgründen gib bitte das Passwort des aktuellen Kontos ein
current_username: Um das zu bestätigen, gib den Benutzernamen des aktuellen Kontos ein
digest: Wenn du eine lange Zeit inaktiv bist, wird dir eine Zusammenfassung von Erwähnungen zugeschickt, die du in deiner Abwesenheit empfangen hast
- discoverable: Erlaube deinem Konto durch Empfehlungen, Trends und andere Funktionen von Fremden entdeckt zu werden
+ discoverable: Erlaube deinem Konto, durch Empfehlungen, Trends und andere Funktionen von Fremden entdeckt zu werden
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
@@ -58,16 +58,21 @@ de:
setting_noindex: Betrifft dein öffentliches Profil und deine Beiträge
setting_show_application: Die Anwendung die du nutzt wird in der detaillierten Ansicht deiner Beiträge angezeigt
setting_use_blurhash: Die Farbverläufe basieren auf den Farben der versteckten Medien, aber verstecken jegliche Details
- setting_use_pending_items: Neue Beiträge hinter einem Klick verstecken anstatt automatisch zu scrollen
+ setting_use_pending_items: Neue Beiträge hinter einem Klick verstecken, anstatt automatisch zu scrollen
username: Dein Benutzername 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
domain_allow:
- domain: Diese Domain kann Daten von diesem Server abrufen und eingehende Daten werden verarbeitet und gespeichert
+ domain: Diese Domain kann Daten von diesem Server abrufen, und eingehende Daten werden verarbeitet und gespeichert
email_domain_block:
domain: Dies kann der Domänenname sein, der in der E-Mail-Adresse oder dem von ihm verwendeten MX-Eintrag angezeigt wird. Er wird bei der Anmeldung überprüft.
- with_dns_records: Ein Versuch die DNS-Einträge der Domain aufzulösen wurde unternommen und diese Ergebnisse werden unter anderem auch geblockt
+ with_dns_records: Ein Versuch, die DNS-Einträge der Domain aufzulösen, wurde unternommen, und diese Ergebnisse werden unter anderem auch blockiert
featured_tag:
name: 'Du möchtest vielleicht einen von diesen benutzen:'
+ filters:
+ action: Wählen Sie, welche Aktion ausgeführt werden soll, wenn ein Beitrag dem Filter entspricht
+ actions:
+ hide: Den gefilterten Inhalt vollständig ausblenden, als hätte er nie existiert
+ warn: Den gefilterten Inhalt hinter einer Warnung ausblenden, die den Filtertitel beinhaltet
form_challenge:
current_password: Du betrittst einen sicheren Bereich
imports:
@@ -77,9 +82,10 @@ de:
ip_block:
comment: Optional. Denke daran, warum du diese Regel hinzugefügt hast.
expires_in: IP-Adressen sind eine endliche Ressource, sie werden manchmal geteilt und werden ab und zu ausgetauscht. Aus diesem Grund werden unbestimmte IP-Blöcke nicht empfohlen.
- ip: Gebe eine IPv4- oder IPv6-Adresse an. Du kannst ganze Bereiche mit der CIDR-Syntax blockieren. Achte darauf, dass du dich nicht aussperrst!
+ ip: Gib eine IPv4- oder IPv6-Adresse an. Du kannst ganze Bereiche mit der CIDR-Syntax blockieren. Achte darauf, dass du dich nicht aussperrst!
severities:
no_access: Zugriff auf alle Ressourcen blockieren
+ sign_up_block: Neue Anmeldungen werden nicht möglich sein
sign_up_requires_approval: Neue Anmeldungen erfordern deine Zustimmung
severity: Wähle aus, was mit Anfragen aus dieser IP passiert
rule:
@@ -91,6 +97,13 @@ de:
name: Du kannst zum Beispiel nur die Groß- und Kleinschreibung der Buchstaben ändern, um es lesbarer zu machen
user:
chosen_languages: Wenn aktiviert, werden nur Beiträge in den ausgewählten Sprachen auf den öffentlichen Zeitleisten angezeigt
+ role: Die Rolle kontrolliert welche Berechtigungen ein Benutzer hat
+ user_role:
+ color: Die Farbe, die für die Rolle im gesamten UI verwendet wird, als RGB im Hexformat
+ highlighted: Dies macht die Rolle öffentlich sichtbar
+ name: Öffentlicher Name der Rolle, wenn die Rolle als Abzeichen angezeigt werden soll
+ permissions_as_keys: Benutzer mit dieser Rolle haben Zugriff auf...
+ position: Die höhere Rolle entscheidet über die Konfliktlösung in bestimmten Situationen. Bestimmte Aktionen können nur in Rollen mit geringerer Priorität ausgeführt werden
webhook:
events: Zu sendende Ereignisse auswählen
url: Wo Ereignisse hingesendet werden
@@ -172,7 +185,7 @@ de:
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_show_application: Anwendung preisgeben, die benutzt wurde, um Beiträge zu versenden
setting_system_font_ui: Standardschriftart des Systems verwenden
setting_theme: Theme
setting_trends: Heutige Trends anzeigen
@@ -181,14 +194,19 @@ de:
setting_use_pending_items: Langsamer Modus
severity: Schweregrad
sign_in_token_attempt: Sicherheitscode
+ title: Titel
type: Art des Imports
username: Profilname
username_or_email: Profilname oder E-Mail
whole_word: Ganzes Wort
email_domain_block:
- with_dns_records: MX-Einträge und IPs der Domain einbeziehen
+ with_dns_records: MX-Einträge und IP-Adressen der Domain einbeziehen
featured_tag:
name: Hashtag
+ filters:
+ actions:
+ hide: Komplett ausblenden
+ warn: Mit einer Warnung ausblenden
interactions:
must_be_follower: Benachrichtigungen von Profilen blockieren, die mir nicht folgen
must_be_following: Benachrichtigungen von Profilen blockieren, denen ich nicht folge
@@ -202,10 +220,11 @@ de:
ip: IP-Adresse
severities:
no_access: Zugriff sperren
+ sign_up_block: Anmeldungen blockieren
sign_up_requires_approval: Anmeldungen begrenzen
severity: Regel
notification_emails:
- appeal: Jemand hat Einspruch an eine Moderatorentscheidung
+ appeal: Jemand hat Einspruch gegen eine Moderatorentscheidung eingelegt
digest: Kurzfassungen über E-Mail senden
favourite: E-Mail senden, wenn jemand meinen Beitrag favorisiert
follow: E-Mail senden, wenn mir jemand folgt
@@ -218,19 +237,28 @@ de:
rule:
text: Regel
tag:
- listable: Erlaube diesem Hashtag im Profilverzeichnis zu erscheinen
+ listable: Erlaube diesem Hashtag, im Profilverzeichnis zu erscheinen
name: Hashtag
- trendable: Erlaube es diesen Hashtag in den Trends erscheinen zu lassen
- usable: Beiträge erlauben, diesen Hashtag zu verwenden
+ trendable: Erlaube es, diesen Hashtag in den Trends erscheinen zu lassen
+ usable: Beiträgen erlauben, diesen Hashtag zu verwenden
+ user:
+ role: Rolle
+ user_role:
+ color: Abzeichenfarbe
+ highlighted: Rolle als Abzeichen in Benutzerprofilen anzeigen
+ name: Name
+ permissions_as_keys: Berechtigungen
+ position: Priorität
webhook:
events: Aktivierte Ereignisse
url: Endpunkt-URL
'no': Nein
+ not_recommended: Nicht empfohlen
recommended: Empfohlen
required:
mark: "*"
text: Pflichtfeld
title:
sessions:
- webauthn: Verwende einer deiner Sicherheitsschlüssel zum Anmelden
+ webauthn: Verwende einen deiner Sicherheitsschlüssel zum Anmelden
'yes': Ja
diff --git a/config/locales/simple_form.el.yml b/config/locales/simple_form.el.yml
index 63a68c1c0..9e1464a4f 100644
--- a/config/locales/simple_form.el.yml
+++ b/config/locales/simple_form.el.yml
@@ -76,6 +76,7 @@ el:
ip: Εισάγετε μια διεύθυνση IPv4 ή IPv6. Μπορείτε να αποκλείσετε ολόκληρο το εύρος χρησιμοποιώντας τη σύνταξη CIDR. Προσέξτε να μην κλειδώσετε τον εαυτό σας!
severities:
no_access: Αποκλεισμός πρόσβασης σε όλους τους πόρους
+ sign_up_block: Νέες εγγραφές δεν θα είναι δυνατές
sign_up_requires_approval: Νέες εγγραφές θα απαιτούν την έγκριση σας
severity: Επιλέξτε τι θα γίνεται με αιτήσεις από αυτήν την διεύθυνση IP
rule:
@@ -198,6 +199,7 @@ el:
ip: Διεύθυνση IP
severities:
no_access: Αποκλεισμός πρόσβασης
+ sign_up_block: Αποκλεισμός εγγραφών
sign_up_requires_approval: Περιορισμός εγγραφών
severity: Κανόνας
notification_emails:
diff --git a/config/locales/simple_form.en.yml b/config/locales/simple_form.en.yml
index c17a62cbe..ec4c445e8 100644
--- a/config/locales/simple_form.en.yml
+++ b/config/locales/simple_form.en.yml
@@ -73,6 +73,10 @@ en:
actions:
hide: Completely hide the filtered content, behaving as if it did not exist
warn: Hide the filtered content behind a warning mentioning the filter's title
+ form_admin_settings:
+ backups_retention_period: Keep generated user archives for the specified number of days.
+ content_cache_retention_period: Posts from other servers will be deleted after the specified number of days when set to a positive value. This may be irreversible.
+ media_cache_retention_period: Downloaded media files will be deleted after the specified number of days when set to a positive value, and re-downloaded on demand.
form_challenge:
current_password: You are entering a secure area
imports:
@@ -85,6 +89,7 @@ en:
ip: Enter an IPv4 or IPv6 address. You can block entire ranges using the CIDR syntax. Be careful not to lock yourself out!
severities:
no_access: Block access to all resources
+ sign_up_block: New sign-ups will not be possible
sign_up_requires_approval: New sign-ups will require your approval
severity: Choose what will happen with requests from this IP
rule:
@@ -206,6 +211,10 @@ en:
actions:
hide: Hide completely
warn: Hide with a warning
+ form_admin_settings:
+ backups_retention_period: User archive retention period
+ content_cache_retention_period: Content cache retention period
+ media_cache_retention_period: Media cache retention period
interactions:
must_be_follower: Block notifications from non-followers
must_be_following: Block notifications from people you don't follow
@@ -219,6 +228,7 @@ en:
ip: IP
severities:
no_access: Block access
+ sign_up_block: Block sign-ups
sign_up_requires_approval: Limit sign-ups
severity: Rule
notification_emails:
diff --git a/config/locales/simple_form.eo.yml b/config/locales/simple_form.eo.yml
index 30ea0f4be..507650674 100644
--- a/config/locales/simple_form.eo.yml
+++ b/config/locales/simple_form.eo.yml
@@ -39,7 +39,7 @@ eo:
fields: Vi povas havi ĝis 4 tabelajn elementojn en via profilo
header: Formato PNG, GIF aŭ JPG. Ĝis %{size}. Estos malgrandigita al %{dimensions}px
inbox_url: Kopiu la URL de la ĉefpaĝo de la ripetilo, kiun vi volas uzi
- irreversible: La filtritaj mesaĝoj malaperos por eterne, eĉ se la filtrilo estas forigita poste
+ irreversible: La filtritaj mesaĝoj malaperos por eterne, eĉ se la filtrilo poste estas forigita
locale: La lingvo de la fasado, de retpoŝtaĵoj, kaj de sciigoj
locked: Vi devos aprobi ĉiun peton de sekvado mane
password: Uzu almenaŭ 8 signojn
diff --git a/config/locales/simple_form.es-AR.yml b/config/locales/simple_form.es-AR.yml
index d61666834..e11692516 100644
--- a/config/locales/simple_form.es-AR.yml
+++ b/config/locales/simple_form.es-AR.yml
@@ -85,6 +85,7 @@ es-AR:
ip: Ingresá una dirección IPv4 ó IPv6. Podés bloquear rangos completos usando la sintaxis CIDR. ¡Tené cuidado de no bloquearte vos mismo!
severities:
no_access: Bloquear acceso a todos los recursos
+ sign_up_block: Los nuevos registros se deshabilitarán
sign_up_requires_approval: Los nuevos registros requerirán tu aprobación
severity: Elegí lo que pasará con las solicitudes desde esta dirección IP
rule:
@@ -219,6 +220,7 @@ es-AR:
ip: Dirección IP
severities:
no_access: Bloquear acceso
+ sign_up_block: Bloquear registros
sign_up_requires_approval: Limitar registros
severity: Regla
notification_emails:
@@ -251,6 +253,7 @@ es-AR:
events: Eventos habilitados
url: Dirección web del punto final
'no': 'No'
+ not_recommended: No recomendado
recommended: Opción recomendada
required:
mark: "*"
diff --git a/config/locales/simple_form.es-MX.yml b/config/locales/simple_form.es-MX.yml
index 582295abb..327815927 100644
--- a/config/locales/simple_form.es-MX.yml
+++ b/config/locales/simple_form.es-MX.yml
@@ -85,6 +85,7 @@ es-MX:
ip: Introduzca una dirección IPv4 o IPv6. Puede bloquear rangos completos usando la sintaxis CIDR. ¡Tenga cuidado de no quedarse fuera!
severities:
no_access: Bloquear acceso a todos los recursos
+ sign_up_block: Los nuevos registros se deshabilitarán
sign_up_requires_approval: Nuevos registros requerirán su aprobación
severity: Elegir lo que pasará con las peticiones desde esta IP
rule:
@@ -102,6 +103,7 @@ es-MX:
highlighted: Esto hace que el rol sea públicamente visible
name: Nombre público del rol, si el rol se establece para que se muestre como una insignia
permissions_as_keys: Los usuarios con este rol tendrán acceso a...
+ position: Un rol superior decide la resolución de conflictos en ciertas situaciones. Ciertas acciones sólo pueden llevarse a cabo en roles con menor prioridad
webhook:
events: Seleccionar eventos para enviar
url: Donde los eventos serán enviados
@@ -218,6 +220,7 @@ es-MX:
ip: IP
severities:
no_access: Bloquear acceso
+ sign_up_block: Bloquear registros
sign_up_requires_approval: Limitar registros
severity: Regla
notification_emails:
diff --git a/config/locales/simple_form.es.yml b/config/locales/simple_form.es.yml
index cd390493c..03357e44b 100644
--- a/config/locales/simple_form.es.yml
+++ b/config/locales/simple_form.es.yml
@@ -85,6 +85,7 @@ es:
ip: Introduzca una dirección IPv4 o IPv6. Puede bloquear rangos completos usando la sintaxis CIDR. ¡Tenga cuidado de no quedarse fuera!
severities:
no_access: Bloquear acceso a todos los recursos
+ sign_up_block: Los nuevos registros se deshabilitarán
sign_up_requires_approval: Nuevos registros requerirán su aprobación
severity: Elegir lo que pasará con las peticiones desde esta IP
rule:
@@ -219,6 +220,7 @@ es:
ip: IP
severities:
no_access: Bloquear acceso
+ sign_up_block: Bloquear registros
sign_up_requires_approval: Limitar registros
severity: Regla
notification_emails:
@@ -251,6 +253,7 @@ es:
events: Eventos habilitados
url: URL de Endpoint
'no': 'No'
+ not_recommended: No recomendado
recommended: Recomendado
required:
mark: "*"
diff --git a/config/locales/simple_form.fi.yml b/config/locales/simple_form.fi.yml
index 678ce7291..53e6a52b3 100644
--- a/config/locales/simple_form.fi.yml
+++ b/config/locales/simple_form.fi.yml
@@ -37,6 +37,7 @@ fi:
current_password: Turvallisuussyistä kirjoita nykyisen tilin salasana
current_username: Vahvista kirjoittamalla nykyisen tilin käyttäjätunnus
digest: Lähetetään vain pitkän poissaolon jälkeen ja vain, jos olet saanut suoria viestejä poissaolosi aikana
+ discoverable: Salli tuntemattomien löytää tilisi suositusten, trendien ja muiden ominaisuuksien kautta
email: Sinulle lähetetään vahvistussähköposti
fields: Sinulla voi olla korkeintaan 4 asiaa profiilissasi taulukossa
header: PNG, GIF tai JPG. Enintään %{size}. Skaalataan kokoon %{dimensions} px
@@ -48,6 +49,7 @@ fi:
phrase: Täytetään riippumatta julkaisun kirjainkoon tai sisällön varoituksesta
scopes: Mihin sovellusliittymiin sovellus pääsee käsiksi. Jos valitset ylätason laajuuden, sinun ei tarvitse valita yksittäisiä.
setting_aggregate_reblogs: Älä näytä uusia tehosteita viesteille, joita on äskettäin tehostettu (koskee vain äskettäin saatuja tehosteita)
+ setting_always_send_emails: Yleensä sähköposti-ilmoituksia ei lähetetä, kun käytät aktiivisesti Mastodonia
setting_default_sensitive: Arkaluontoinen media on oletuksena piilotettu ja se voidaan näyttää yhdellä napsautuksella
setting_display_media_default: Piilota arkaluonteiseksi merkitty media
setting_display_media_hide_all: Piilota aina kaikki media
@@ -66,6 +68,11 @@ fi:
with_dns_records: Annetun verkkotunnuksen DNS-tietueet yritetään ratkaista ja tulokset myös estetään
featured_tag:
name: 'Voit halutessasi käyttää jotakin näistä:'
+ filters:
+ action: Valitse, mikä toiminto suoritetaan, kun viesti vastaa suodatinta
+ actions:
+ hide: Piilota suodatettu sisältö kokonaan ja käyttäydy ikään kuin sitä ei olisi olemassa
+ warn: Piilota suodatettu sisältö varoituksen taakse, jossa mainitaan suodattimen otsikko
form_challenge:
current_password: Olet menossa suojatulle alueelle
imports:
@@ -78,6 +85,7 @@ fi:
ip: Kirjoita IPv4- tai IPv6-osoite. Voit estää kokonaisia alueita käyttämällä CIDR-syntaksia. Varo, että et lukitse itseäsi!
severities:
no_access: Estä pääsy kaikkiin resursseihin
+ sign_up_block: Uudet kirjautumiset eivät ole mahdollisia
sign_up_requires_approval: Uudet rekisteröitymiset edellyttävät hyväksyntääsi
severity: Valitse, mitä tapahtuu tämän IP-osoitteen pyynnöille
rule:
@@ -89,6 +97,16 @@ fi:
name: Voit muuttaa esimerkiksi kirjaimia paremmin luettavaksi
user:
chosen_languages: Kun valittu, vain valituilla kielillä julkaistut viestit näkyvät julkisilla aikajanoilla
+ role: Rooli määrää, mitkä käyttöoikeudet käyttäjällä on
+ user_role:
+ color: Väri, jota käytetään roolin koko käyttöliittymässä, RGB heksamuodossa
+ highlighted: Tämä tekee roolista julkisesti näkyvän
+ name: Roolin julkinen nimi, jos rooli on asetettu näytettäväksi mekkinä
+ permissions_as_keys: Käyttäjillä, joilla on tämä rooli, on käyttöoikeus...
+ position: Korkeampi rooli ratkaisee konfliktit tietyissä tilanteissa. Tiettyjä toimintoja voidaan suorittaa vain rooleille, joiden prioriteetti on pienempi
+ webhook:
+ events: Valitse lähetettävät tapahtumat
+ url: Mihin tapahtumat lähetetään
labels:
account:
fields:
@@ -150,6 +168,7 @@ fi:
phrase: Avainsana tai lause
setting_advanced_layout: Ota käyttöön edistynyt web käyttöliittymä
setting_aggregate_reblogs: Ryhmitä boostaukset aikajanalla
+ setting_always_send_emails: Lähetä aina sähköposti-ilmoituksia
setting_auto_play_gif: Toista GIF-animaatiot automaattisesti
setting_boost_modal: Kysy vahvistusta ennen buustausta
setting_crop_images: Rajaa kuvat avaamattomissa tuuttauksissa 16:9 kuvasuhteeseen
@@ -175,6 +194,7 @@ fi:
setting_use_pending_items: Hidastila
severity: Vakavuus
sign_in_token_attempt: Turvakoodi
+ title: Otsikko
type: Tietojen laji
username: Käyttäjänimi
username_or_email: Käyttäjänimi tai sähköposti
@@ -183,6 +203,10 @@ fi:
with_dns_records: Sisällytä toimialueen MX tietueet ja IP-osoite
featured_tag:
name: Aihetunniste
+ filters:
+ actions:
+ hide: Piilota kokonaan
+ warn: Piilota varoituksella
interactions:
must_be_follower: Estä ilmoitukset käyttäjiltä, jotka eivät seuraa sinua
must_be_following: Estä ilmoitukset käyttäjiltä, joita et seuraa
@@ -196,6 +220,7 @@ fi:
ip: IP
severities:
no_access: Estä pääsy
+ sign_up_block: Estä kirjautumiset
sign_up_requires_approval: Rajoita rekisteröitymisiä
severity: Sääntö
notification_emails:
@@ -216,6 +241,17 @@ fi:
name: Aihetunniste
trendable: Salli tämän aihetunnisteen näkyä trendeissä
usable: Salli postauksien käyttää tätä aihetunnistetta
+ user:
+ role: Rooli
+ user_role:
+ color: Merkin väri
+ highlighted: Näyttä rooli merkkinä käyttäjäprofiileissa
+ name: Nimi
+ permissions_as_keys: Oikeudet
+ position: Prioriteetti
+ webhook:
+ events: Tapahtumat käytössä
+ url: Päätepisteen URL
'no': Ei
recommended: Suositeltu
required:
diff --git a/config/locales/simple_form.gd.yml b/config/locales/simple_form.gd.yml
index 63199e2cd..7165cb243 100644
--- a/config/locales/simple_form.gd.yml
+++ b/config/locales/simple_form.gd.yml
@@ -68,6 +68,11 @@ gd:
with_dns_records: Thèid oidhirp a dhèanamh air fuasgladh clàran DNS na h-àrainne a chaidh a thoirt seachad agus thèid na toraidhean a bhacadh cuideachd
featured_tag:
name: 'Mholamaid fear dhe na tagaichean seo:'
+ filters:
+ action: Tagh na thachras nuair a bhios post a’ maidseadh na criathraige
+ actions:
+ hide: Falaich an t-susbaint chriathraichte uile gu lèir mar nach robh i ann idir
+ warn: Falaich an t-susbaint chriathraichte air cùlaibh rabhaidh a dh’innseas tiotal na criathraige
form_challenge:
current_password: Tha thu a’ tighinn a-steach gu raon tèarainte
imports:
@@ -91,6 +96,16 @@ gd:
name: Mar eisimpleir, ’s urrainn dhut measgachadh de litrichean mòra ’s beaga a chleachdadh ach an gabh a leughadh nas fhasa
user:
chosen_languages: Nuair a bhios cromag ris, cha nochd ach postaichean sna cànain a thagh thu air loidhnichean-ama poblach
+ role: Stiùiridh an dreuchd dè na ceadan a bhios aig cleachdaiche
+ user_role:
+ color: An datha a bhios air an dreuchd air feadh na h-eadar-aghaidh, ’na RGB san fhòrmat sia-dheicheach
+ highlighted: Le seo, chithear an dreuchd gu poblach
+ name: Ainm poblach na dreuchd ma chaidh a suidheachadh gun nochd i na baidse
+ permissions_as_keys: Gheibh na cleachdaichean aig a bheil an dreuchd seo inntrigeadh dha…
+ position: Ma tha còmhstri ann, buannaichidh an dreuchd as àirde ann an cuid a shuidheachaidhean. Tha gnìomhan sònraichte ann nach urrainn ach dreuchdan le prìomhachas ìosail a ghabhail
+ webhook:
+ events: Tagh na tachartasan a thèid a chur
+ url: Far an dèid na tachartasan a chur
labels:
account:
fields:
@@ -178,6 +193,7 @@ gd:
setting_use_pending_items: Am modh slaodach
severity: Donad
sign_in_token_attempt: Còd-tèarainteachd
+ title: Tiotal
type: Seòrsa an ion-phortaidh
username: Ainm-cleachdaiche
username_or_email: Ainm-cleachdaiche no post-d
@@ -186,6 +202,10 @@ gd:
with_dns_records: Gabh a-steach clàran MX agus IPan na h-àrainne
featured_tag:
name: Taga hais
+ filters:
+ actions:
+ hide: Falaich uile gu lèir
+ warn: Falaich le rabhadh
interactions:
must_be_follower: Bac na brathan nach eil o luchd-leantainn
must_be_following: Bac na brathan o dhaoine air nach lean thu
@@ -219,6 +239,17 @@ gd:
name: Taga hais
trendable: Leig leis an taga hais seo gun nochd e am measg nan treandaichean
usable: Leig le postaichean an taga hais seo a chleachdadh
+ user:
+ role: Dreuchd
+ user_role:
+ color: Dathan na baidse
+ highlighted: Seall an dreuchd ’na baidse air pròifilean nan cleachdaichean
+ name: Ainm
+ permissions_as_keys: Ceadan
+ position: Prìomhachas
+ webhook:
+ events: Na tachartas an comas
+ url: URL na puinge-deiridh
'no': Chan eil
recommended: Molta
required:
diff --git a/config/locales/simple_form.gl.yml b/config/locales/simple_form.gl.yml
index 0727fb97f..3b050eeee 100644
--- a/config/locales/simple_form.gl.yml
+++ b/config/locales/simple_form.gl.yml
@@ -85,6 +85,7 @@ gl:
ip: Escribe un enderezo IPv4 ou IPv6. Podes bloquear rangos completos usando a sintaxe CIDR. Ten coidado e non te bloquees a ti mesma!
severities:
no_access: Bloquear acceso a tódolos recursos
+ sign_up_block: Non se poderán rexistrar novas contas
sign_up_requires_approval: Os novos rexistros requerirán a túa aprobación
severity: Escolle que acontecerá coas peticións desde este IP
rule:
@@ -219,6 +220,7 @@ gl:
ip: IP
severities:
no_access: Bloquear acceso
+ sign_up_block: Bloquear novos rexistros
sign_up_requires_approval: Limitar o rexistro
severity: Regra
notification_emails:
@@ -251,6 +253,7 @@ gl:
events: Eventos activados
url: URL do extremo
'no': Non
+ not_recommended: Non é recomendable
recommended: Recomendado
required:
mark: "*"
diff --git a/config/locales/simple_form.he.yml b/config/locales/simple_form.he.yml
index c7fe6026c..22b5d8480 100644
--- a/config/locales/simple_form.he.yml
+++ b/config/locales/simple_form.he.yml
@@ -46,7 +46,7 @@ he:
locale: שפת ממשק המשתמש, הדוא"ל וההתראות בדחיפה
locked: מחייב אישור עוקבים באופן ידני. פרטיות ההודעות תהיה עוקבים-בלבד אלא אם יצוין אחרת
password: נא להשתמש בלפחות 8 תוים
- phrase: התאמה תמצא ללא תלות באזהרת תוכן בחצרוץ
+ phrase: התאמה תמצא ללא תלות באזהרת תוכן בפוסט
scopes: לאיזה ממשק יורשה היישום לגשת. בבחירת תחום כללי, אין צורך לבחור ממשקים ספציפיים.
setting_aggregate_reblogs: לא להראות הדהודים של חצרוצים שהודהדו לאחרונה (משפיע רק על הדהודים שהתקבלו לא מזמן)
setting_always_send_emails: בדרך כלל התראות דוא"ל לא יישלחו בזמן שימוש פעיל במסטודון
@@ -56,7 +56,7 @@ he:
setting_display_media_show_all: גלה מדיה תמיד
setting_hide_network: עוקבייך ונעקבייך יוסתרו בפרופילך
setting_noindex: משפיע על הפרופיל הציבורי שלך ועמודי ההודעות
- setting_show_application: היישום בו נעשה שימוש כדי לחצרץ יופיע בתצוגה המפורטת של החצרוץ
+ setting_show_application: היישום בו נעשה שימוש כדי לפרסם פוסט יופיע בתצוגה המפורטת של הפוסט
setting_use_blurhash: הגראדיינטים מבוססים על תוכן התמונה המוסתרת, אבל מסתירים את כל הפרטים
setting_use_pending_items: הסתר עדכוני פיד מאחורי קליק במקום לגלול את הפיד אוטומטית
username: שם המשתמש שלך יהיה ייחודי ב-%{domain}
@@ -68,6 +68,11 @@ he:
with_dns_records: ייעשה נסיון למצוא את רשומות ה-DNS של דומיין נתון והתוצאות ייחסמו גם הן
featured_tag:
name: 'אולי תרצה/י להשתמש באחד מאלה:'
+ filters:
+ action: בחרו איזו פעולה לבצע כאשר פוסט מתאים למסנן
+ actions:
+ hide: הסתר את התוכן המסונן, כאילו לא היה קיים
+ warn: הסתר את התוכן המסונן מאחורי אזהרה עם כותרת המסנן
form_challenge:
current_password: את.ה נכנס. ת לאזור מאובטח
imports:
@@ -80,6 +85,7 @@ he:
ip: נא להכניס כתובת IPv4 או IPv6. ניתן לחסום תחומים שלמים על ידי שימוש בתחביר CIDR. זהירות לא לנעול את עצמכם בחוץ!
severities:
no_access: חסימת גישה לכל המשאבים
+ sign_up_block: הרשמות חדשות לא יאופשרו
sign_up_requires_approval: הרשמות חדשות ידרשו את אישורך
severity: נא לבחור מה יקרה לבקשות מכתובת IP זו
rule:
@@ -91,8 +97,16 @@ he:
name: ניתן רק להחליף בין אותיות קטנות וגדולות, למשל כדי לשפר את הקריאות
user:
chosen_languages: אם פעיל, רק חצרוצים בשפות הנבחרות יוצגו לפידים הפומביים
+ role: התפקיד שולט על אילו הרשאות יש למשתמש
+ user_role:
+ color: צבע לתפקיד בממשק המשתמש, כ RGB בפורמט הקסדצימלי
+ highlighted: מאפשר נראות ציבורית של התפקיד
+ name: שם ציבורי של התפקיד, במידה והתפקיד מוגדר ככזה שמופיע כתג
+ permissions_as_keys: למשתמשים בתפקיד זה תהיה גישה ל...
+ position: תפקיד גבוה יותר מכריע בחילוקי דעות במצבים מסוימים. פעולות מסוימות יכולות להתבצע רק על תפקידים בדרגה נמוכה יותר
webhook:
events: בחר אירועים לשליחה
+ url: היעד שאליו יישלחו אירועים
labels:
account:
fields:
@@ -158,7 +172,7 @@ he:
setting_auto_play_gif: ניגון אוטומטי של גיפים
setting_boost_modal: הצגת דיאלוג אישור לפני הדהוד
setting_crop_images: קטום תמונות בחצרוצים לא מורחבים ל 16 על 9
- setting_default_language: שפת חצרוץ
+ setting_default_language: שפת ברירת מחדל לפוסט
setting_default_privacy: פרטיות ההודעות
setting_default_sensitive: תמיד לתת סימון "רגיש" למדיה
setting_delete_modal: להראות תיבת אישור לפני מחיקת חיצרוץ
@@ -171,7 +185,7 @@ he:
setting_hide_network: להחביא את הגרף החברתי שלך
setting_noindex: לבקש הסתרה ממנועי חיפוש
setting_reduce_motion: הפחתת תנועה בהנפשות
- setting_show_application: הצגת הישום ששימש לחצרוץ
+ setting_show_application: הצגת הישום ששימש לפרסום הפוסט
setting_system_font_ui: להשתמש בגופן ברירת המחדל של המערכת
setting_theme: ערכת העיצוב של האתר
setting_trends: הצגת הנושאים החמים
@@ -180,6 +194,7 @@ he:
setting_use_pending_items: מצב איטי
severity: חומרה
sign_in_token_attempt: קוד אבטחה
+ title: כותרת
type: סוג יבוא
username: שם משתמש
username_or_email: שם משתמש או דוא"ל
@@ -188,6 +203,10 @@ he:
with_dns_records: לכלול רשומות MX וכתובות IP של הדומיין
featured_tag:
name: האשתג
+ filters:
+ actions:
+ hide: הסתרה כוללת
+ warn: הסתרה עם אזהרה
interactions:
must_be_follower: חסימת התראות משאינם עוקבים
must_be_following: חסימת התראות משאינם נעקבים
@@ -201,17 +220,18 @@ he:
ip: IP
severities:
no_access: חסימת גישה
+ sign_up_block: חסימת הרשמות
sign_up_requires_approval: הגבלת הרשמות
severity: כלל
notification_emails:
appeal: מישהם מערערים על החלטת מנהל קהילה
digest: שליחת הודעות דוא"ל מסכמות
- favourite: שליחת דוא"ל כשמחבבים חצרוץ
+ favourite: שליחת דוא"ל כשמחבבים פוסט
follow: שליחת דוא"ל כשנוספות עוקבות
follow_request: שליחת דוא"ל כשמבקשים לעקוב
mention: שליחת דוא"ל כשפונים אלייך
pending_account: נדרשת סקירה של חשבון חדש
- reblog: שליחת דוא"ל כשמהדהדים חצרוץ שלך
+ reblog: שליחת דוא"ל כשמהדהדים פוסט שלך
report: דו"ח חדש הוגש
trending_tag: נושאים חמים חדשים דורשים סקירה
rule:
@@ -221,7 +241,19 @@ he:
name: האשתג
trendable: הרשה/י להאשתג זה להופיע תחת נושאים חמים
usable: הרשה/י לחצרוצים להכיל האשתג זה
+ user:
+ role: תפקיד
+ user_role:
+ color: צבע תג
+ highlighted: הצג תפקיד כתג בפרופיל משתמש
+ name: שם
+ permissions_as_keys: הרשאות
+ position: עדיפות
+ webhook:
+ events: אירועים מאופשרים
+ url: כתובת URL של נקודת הקצה
'no': לא
+ not_recommended: לא מומלצים
recommended: מומלץ
required:
mark: "*"
diff --git a/config/locales/simple_form.hu.yml b/config/locales/simple_form.hu.yml
index d0ae814e6..16465ff79 100644
--- a/config/locales/simple_form.hu.yml
+++ b/config/locales/simple_form.hu.yml
@@ -80,11 +80,12 @@ hu:
invite_request:
text: Ez segít nekünk átnézni a jelentkezésedet
ip_block:
- comment: Opcionális. Emlékeztető, hogy miért is vetted fel ezt a szabályt.
+ comment: Nem kötelező. Emlékeztető, hogy miért is vetted fel ezt a szabályt.
expires_in: Az IP címek korlátos erőforrások, ezért néha meg vannak osztva és gyakran gazdát is cserélnek. Ezért a korlátlan IP tiltások használatát nem javasoljuk.
ip: Írj be egy IPv4 vagy IPv6 címet. A CIDR formátum használatával teljes tartományokat tilthatsz ki. Légy óvatos, hogy magadat véletlenül se zárd ki!
severities:
no_access: Elérés tiltása minden erőforráshoz
+ sign_up_block: Új feliratkozások nem lesznek lehetségesek
sign_up_requires_approval: Új regisztrációk csak a jóváhagyásoddal történhetnek majd meg
severity: Válaszd ki, mi történjen a kérésekkel erről az IP-ről
rule:
@@ -219,6 +220,7 @@ hu:
ip: IP
severities:
no_access: Elérés letiltása
+ sign_up_block: Feliratkozások letiltása
sign_up_requires_approval: Regisztrációk korlátozása
severity: Szabály
notification_emails:
@@ -251,6 +253,7 @@ hu:
events: Engedélyezett események
url: Végponti URL
'no': Nem
+ not_recommended: Nem ajánlott
recommended: Ajánlott
required:
mark: "*"
diff --git a/config/locales/simple_form.io.yml b/config/locales/simple_form.io.yml
index 743c8964a..bb5452471 100644
--- a/config/locales/simple_form.io.yml
+++ b/config/locales/simple_form.io.yml
@@ -85,6 +85,7 @@ io:
ip: Tipez adreso di IPv4 o IPv6. Vu povas restrikar tota porteo per sintaxo CIDR. Sorgemez por ke vu ne klefklozas su!
severities:
no_access: Restriktez aceso a omna moyeni
+ sign_up_block: Nova registrago ne esos posibla
sign_up_requires_approval: Nova registro bezonos vua aprobo
severity: Selektez quo eventos kun demandi de ca IP
rule:
@@ -219,6 +220,7 @@ io:
ip: IP
severities:
no_access: Depermisez aceso
+ sign_up_block: Obstruktez registragi
sign_up_requires_approval: Limitigez registri
severity: Regulo
notification_emails:
@@ -251,6 +253,7 @@ io:
events: Aktivigita eventi
url: URL di finpunto
'no': Ne
+ not_recommended: Ne rekomendesas
recommended: Rekomendito
required:
mark: "*"
diff --git a/config/locales/simple_form.is.yml b/config/locales/simple_form.is.yml
index facef6f18..bdc9c0380 100644
--- a/config/locales/simple_form.is.yml
+++ b/config/locales/simple_form.is.yml
@@ -85,6 +85,7 @@ is:
ip: Settu inn IPv4 eða IPv6 vistfang. Þú getur lokað á svið vistfanga með því að nota CIDR-framsetningu. Gættu þess að loka ekki sjálfa/n þig úti!
severities:
no_access: Loka á aðgang að öllum tilföngum
+ sign_up_block: Nýskráningar verða ekki mögulegar
sign_up_requires_approval: Nýskráningar munu þurfa samþykki þitt
severity: Veldu hvað munir gerast við beiðnir frá þessu IP-vistfangi
rule:
@@ -219,6 +220,7 @@ is:
ip: IP-vistfang
severities:
no_access: Loka á aðgang
+ sign_up_block: Loka á nýskráningar
sign_up_requires_approval: Takmarka nýskráningar
severity: Regla
notification_emails:
@@ -231,13 +233,13 @@ is:
pending_account: Nýr notandaaðgangur þarfnast yfirferðar
reblog: Einhver endurbirti færsluna þína
report: Ný kæra hefur verið send inn
- trending_tag: Ný tilhneiging krefst yfirferðar
+ trending_tag: Nýtt vinsælt efni krefst yfirferðar
rule:
text: Regla
tag:
listable: Leyfa þessu myllumerki að birtast í leitum og í persónusniðamöppunni
name: Myllumerki
- trendable: Leyfa þessu myllumerki að birtast undir tilhneigingum
+ trendable: Leyfa þessu myllumerki að birtast undir vinsælu efni
usable: Leyfa færslum að nota þetta myllumerki
user:
role: Hlutverk
@@ -251,6 +253,7 @@ is:
events: Virkjaðir atburðir
url: Slóð á endapunkt
'no': Nei
+ not_recommended: Ekki mælt með þessu
recommended: Mælt með
required:
mark: "*"
diff --git a/config/locales/simple_form.it.yml b/config/locales/simple_form.it.yml
index d2ffda888..aeabbcdfd 100644
--- a/config/locales/simple_form.it.yml
+++ b/config/locales/simple_form.it.yml
@@ -85,6 +85,7 @@ it:
ip: Inserisci un indirizzo IPv4 o IPv6. Puoi bloccare interi intervalli usando la sintassi CIDR. Fai attenzione a non bloccare te stesso!
severities:
no_access: Blocca l'accesso a tutte le risorse
+ sign_up_block: Le nuove iscrizioni non saranno possibili
sign_up_requires_approval: Le nuove iscrizioni richiederanno la tua approvazione
severity: Scegli cosa accadrà con le richieste da questo IP
rule:
@@ -219,6 +220,7 @@ it:
ip: IP
severities:
no_access: Blocca accesso
+ sign_up_block: Blocca iscrizioni
sign_up_requires_approval: Limita iscrizioni
severity: Regola
notification_emails:
@@ -251,6 +253,7 @@ it:
events: Eventi abilitati
url: URL endpoint
'no': 'No'
+ not_recommended: Non consigliato
recommended: Consigliato
required:
mark: "*"
diff --git a/config/locales/simple_form.ja.yml b/config/locales/simple_form.ja.yml
index cde47dbd0..5e8ef67b4 100644
--- a/config/locales/simple_form.ja.yml
+++ b/config/locales/simple_form.ja.yml
@@ -91,6 +91,10 @@ ja:
name: 視認性向上などのためにアルファベット大文字小文字の変更のみ行うことができます
user:
chosen_languages: 選択すると、選択した言語の投稿のみが公開タイムラインに表示されるようになります
+ user_role:
+ highlighted: これにより、役割が公開されます。
+ name: 役割をバッジ表示する際の表示名
+ permissions_as_keys: この役割を持つユーザーは次の機能にアクセスできます
labels:
account:
fields:
@@ -178,6 +182,7 @@ ja:
setting_use_pending_items: 手動更新モード
severity: 重大性
sign_in_token_attempt: セキュリティコード
+ title: タイトル
type: インポートする項目
username: ユーザー名
username_or_email: ユーザー名またはメールアドレス
@@ -219,6 +224,14 @@ ja:
name: ハッシュタグ
trendable: トレンドへの表示を許可する
usable: 投稿への使用を許可する
+ user:
+ role: 役割
+ user_role:
+ color: バッジの色
+ highlighted: プロフィールに役割のバッジを表示する
+ name: 名前
+ permissions_as_keys: 権限
+ position: 優先度
webhook:
events: 有効なイベント
url: エンドポイントURL
diff --git a/config/locales/simple_form.ko.yml b/config/locales/simple_form.ko.yml
index 79c28b4fc..fe8e010cf 100644
--- a/config/locales/simple_form.ko.yml
+++ b/config/locales/simple_form.ko.yml
@@ -85,6 +85,7 @@ ko:
ip: IPv4 또는 IPv6 주소를 입력하세요. CIDR 문법을 사용해서 모든 범위를 차단할 수도 있습니다. 자기 자신을 잠가버리지 않도록 주의하세요!
severities:
no_access: 모든 자원에 대한 접근 차단
+ sign_up_block: 새 가입이 불가능하게 됩니다
sign_up_requires_approval: 새 가입이 승인을 필요로 하도록 합니다
severity: 해당 IP로부터의 요청에 대해 무엇이 일어나게 할 지 고르세요
rule:
@@ -219,6 +220,7 @@ ko:
ip: IP
severities:
no_access: 접근 차단
+ sign_up_block: 가입 차단
sign_up_requires_approval: 가입 제한
severity: 규칙
notification_emails:
@@ -251,6 +253,7 @@ ko:
events: 활성화된 이벤트
url: 엔드포인트 URL
'no': 아니오
+ not_recommended: 추천하지 않음
recommended: 추천함
required:
mark: "*"
diff --git a/config/locales/simple_form.ku.yml b/config/locales/simple_form.ku.yml
index ea6db0972..e4b0f0759 100644
--- a/config/locales/simple_form.ku.yml
+++ b/config/locales/simple_form.ku.yml
@@ -44,7 +44,7 @@ ku:
inbox_url: URLyê di rûpela pêşî de guhêrkerê ku tu dixwazî bi kar bînî jê bigire
irreversible: Şandiyên parzûnkirî êdî bê veger wenda bibe, heger parzûn paşê were rakirin jî nabe
locale: Zimanê navrûyê bikarhêner, agahdarîyên e-name û pêl kirin
- locked: Bi destan daxwazên şopê hilbijêrîne da ku kî bikaribe te bişopîne
+ locked: Bi pejirandina daxwazên şopandinê, kî dikare te bişopîne bi destan kontrol bike
password: Herî kêm 8 tîpan bi kar bîne
phrase: Ji rewşa nivîsê tîpên girdek/hûrdek an jî ji hişyariya naveroka ya şandiyê wek serbixwe wê were hevbeş kirin
scopes: |-
@@ -70,6 +70,11 @@ ku:
with_dns_records: Hewl tê dayîn ku tomarên DNSê yên li qada jê re hatine dayîn were çareserkirin û encamên wê jî were astengkirin
featured_tag:
name: 'Belkî tu yekê bi kar bînî çi van:'
+ filters:
+ action: Hilbijêre ku dema şandiyek bi parzûnê re lihevhatî be bila kîjan çalakî were pêkanîn
+ actions:
+ hide: Naveroka parzûnkirî bi tevahî veşêre, mîna ku ew tune be tevbigere
+ warn: Naveroka parzûnkirî li pişt hişyariyek ku sernavê parzûnê qal dike veşêre
form_challenge:
current_password: Tu dikevî qadeke ewledar
imports:
@@ -82,6 +87,7 @@ ku:
ip: Têkeve navnîşana IPv4 an jî IPv6'yek. Tu dikarî bi hevoksazî ya CIDR re hemî valahîyan asteng bikî. Hay ji xwe hebe ku xwe derve nehêle!
severities:
no_access: Gihîştina hemî çavkaniyan asteng bike
+ sign_up_block: Tomarkirinên nû wê ne pêkan bin
sign_up_requires_approval: Tomarkirinên nû de pejirandina te pêwîste
severity: Daxwazên ku ji vê IPyê tên dê çi bibe hilbijêre
rule:
@@ -93,7 +99,12 @@ ku:
name: Tîpan, mînak ji bo ku bêhtir paknivîs bibe, tenê rewşa tîpên girdek/hûrdek dikarî biguherînî
user:
chosen_languages: Dema were nîşankirin, tenê parvekirinên bi zimanên hilbijartî dê di rêzikên giştî de werin nîşandan
+ role: Rola kîjan mafdayînên bikarhêner heye kontrol dike
user_role:
+ color: Renga ku were bikaranîn ji bo rola li seranserê navrûya bikarhêneriyê, wekî RGB di forma hex
+ highlighted: Ev rola xwe ji raya giştî re xuya dike
+ name: Navê giştî yê rolê, ku rol wekî nîşanekê were nîşankirin
+ permissions_as_keys: Bikarhênerên bi vê rolê wê bigihîjin...
position: Rola bilind di hinek rewşan de biryara çareserkirina nakokiyan dide. Hinej çalakî tenê dikarin li ser rolên bi pêşanînek kêmtir bêne kirin
webhook:
events: Bûyeran hilbijêre bo şandinê
@@ -185,6 +196,7 @@ ku:
setting_use_pending_items: Awayê hêdî
severity: Asta girîngiyê
sign_in_token_attempt: Koda ewlehiyê
+ title: Sernav
type: Cureya têxistinê
username: Navê bikarhêneriyê
username_or_email: Navê bikarhêner an jî e-name
@@ -193,6 +205,10 @@ ku:
with_dns_records: Tomarên MX û IP yên hundirê navper lê zêde bike
featured_tag:
name: Hashtag
+ filters:
+ actions:
+ hide: Bi tevahî veşêre
+ warn: Bi hişyariyekê veşêre
interactions:
must_be_follower: Danezanên ji kesên ku ne şopînerên min tên asteng bike
must_be_following: Agahdariyan asteng bike ji kesên ku tu wan naşopînî
@@ -206,6 +222,7 @@ ku:
ip: IP
severities:
no_access: Gihîştinê asteng bike
+ sign_up_block: Tomarkirinan asteng bike
sign_up_requires_approval: Tomaran sînordar bike
severity: Rêbaz
notification_emails:
@@ -229,6 +246,8 @@ ku:
user:
role: Rol
user_role:
+ color: Rengê nîşanê
+ highlighted: Li ser profîlên bikarhêner rola wekî nîşan bide nîşankirin
name: Nav
permissions_as_keys: Maf
position: Pêşikî
@@ -236,6 +255,7 @@ ku:
events: Bûyerên çalakkirî
url: Girêdana xala dawîbûnê
'no': Na
+ not_recommended: Nayê pêşniyarkirin
recommended: Pêşniyarkirî
required:
mark: "*"
diff --git a/config/locales/simple_form.lv.yml b/config/locales/simple_form.lv.yml
index ad8f3bd4d..cff70297e 100644
--- a/config/locales/simple_form.lv.yml
+++ b/config/locales/simple_form.lv.yml
@@ -85,6 +85,7 @@ lv:
ip: Ievadi IPv4 vai IPv6 adresi. Izmantojot CIDR sintaksi, tu vari bloķēt visus diapazonus. Esi piesardzīgs un neizslēdz pats sevi!
severities:
no_access: Bloķēt piekļuvi visiem resursiem
+ sign_up_block: Jaunas pieteikšanās nebūs iespējamas
sign_up_requires_approval: Jaunām reģistrācijām būs nepieciešams tavs apstiprinājums
severity: Izvēlies, kas notiks ar pieprasījumiem no šīs IP adreses
rule:
@@ -219,6 +220,7 @@ lv:
ip: IP
severities:
no_access: Bloķēt piekļuvi
+ sign_up_block: Bloķēt pieteikšanās
sign_up_requires_approval: Ierobežot reģistrēšanos
severity: Noteikumi
notification_emails:
@@ -251,6 +253,7 @@ lv:
events: Iespējotie notikumi
url: Galapunkta URL
'no': Nē
+ not_recommended: Nav ieteicams
recommended: Ieteicams
required:
mark: "*"
diff --git a/config/locales/simple_form.nl.yml b/config/locales/simple_form.nl.yml
index 00f8e762c..0beed9173 100644
--- a/config/locales/simple_form.nl.yml
+++ b/config/locales/simple_form.nl.yml
@@ -37,8 +37,9 @@ nl:
current_password: Voer voor veiligheidsredenen het wachtwoord van je huidige account in
current_username: Voer ter bevestiging de gebruikersnaam van je huidige account in
digest: Wordt alleen na een lange periode van inactiviteit verzonden en alleen wanneer je tijdens jouw afwezigheid persoonlijke berichten hebt ontvangen
+ discoverable: Toestaan dat jouw account vindbaar is voor onbekenden, via aanbevelingen, trends en op andere manieren
email: Je krijgt een bevestigingsmail
- fields: Je kan maximaal 4 items als een tabel op je profiel weergeven
+ fields: Je kunt maximaal 4 items als een tabel op je profiel weergeven
header: PNG, GIF of JPG. Maximaal %{size}. Wordt teruggeschaald naar %{dimensions}px
inbox_url: Kopieer de URL van de voorpagina van de relayserver die je wil gebruiken
irreversible: Gefilterde berichten verdwijnen onomkeerbaar, zelfs als de filter later wordt verwijderd
@@ -82,6 +83,7 @@ nl:
ip: Voer een IPv4- of IPv6-adres in. Je kunt hele reeksen blokkeren met de CIDR-methode. Pas op dat je jezelf niet buitensluit!
severities:
no_access: Toegang tot de hele server blokkeren
+ sign_up_block: Nieuwe registraties zijn niet mogelijk
sign_up_requires_approval: Nieuwe registraties vereisen jouw goedkeuring
severity: Kies wat er moet gebeuren met aanvragen van dit IP-adres
rule:
@@ -93,6 +95,9 @@ nl:
name: Je kunt elk woord met een hoofdletter beginnen, om zo bijvoorbeeld de tekst leesbaarder te maken
user:
chosen_languages: Alleen berichten in de aangevinkte talen worden op de openbare tijdlijnen getoond
+ role: De rol bepaalt welke rechten een gebruiker heeft
+ user_role:
+ permissions_as_keys: Gebruikers met deze rol hebben toegang tot...
labels:
account:
fields:
@@ -206,12 +211,13 @@ nl:
ip: IP
severities:
no_access: Toegang blokkeren
+ sign_up_block: Registraties blokkeren
sign_up_requires_approval: Registraties beperken
severity: Regel
notification_emails:
appeal: Iemand heeft bezwaar ingediend tegen een beslissing van een moderator
digest: Periodiek e-mails met een samenvatting versturen
- favourite: Wanneer iemand jouw bericht aan diens favorieten heeft toegevoegd
+ favourite: Wanneer iemand jouw bericht als favoriet markeert
follow: Wanneer iemand jou is gaan volgen
follow_request: Wanneer iemand jou wil volgen
mention: Wanneer iemand jou heeft vermeld
@@ -236,6 +242,7 @@ nl:
webhook:
url: Eindpunt URL
'no': Nee
+ not_recommended: Niet aanbevolen
recommended: Aanbevolen
required:
mark: "*"
diff --git a/config/locales/simple_form.nn.yml b/config/locales/simple_form.nn.yml
index 0e9988654..71734509b 100644
--- a/config/locales/simple_form.nn.yml
+++ b/config/locales/simple_form.nn.yml
@@ -85,6 +85,10 @@ nn:
name: Du kan berre endra bruken av store/små bokstavar, t. d. for å gjera det meir leseleg
user:
chosen_languages: Når merka vil berre tuta på dei valde språka synast på offentlege tidsliner
+ role: Rolla kontrollerer kva tilgangar brukaren har
+ user_role:
+ highlighted: Dette gjer rolla synleg offentleg
+ permissions_as_keys: Brukarar med denne rolla vil ha tilgang til...
labels:
account:
fields:
@@ -144,6 +148,7 @@ nn:
phrase: Nykelord eller frase
setting_advanced_layout: Skruv på det avanserte nettgrensesnittet
setting_aggregate_reblogs: Gruppeframhevingar på tidsliner
+ setting_always_send_emails: Alltid send epostvarsel
setting_auto_play_gif: Spel av animerte GIF-ar automatisk
setting_boost_modal: Vis stadfesting før framheving
setting_crop_images: Skjer bilete i ikkje-utvida tut til 16x9
@@ -169,6 +174,7 @@ nn:
setting_use_pending_items: Saktemodus
severity: Alvorsgrad
sign_in_token_attempt: Trygdenykel
+ title: Tittel
type: Importtype
username: Brukarnamn
username_or_email: Brukarnamn eller E-post
@@ -177,6 +183,10 @@ nn:
with_dns_records: Ha med MX-recordar og IP-ar til domenet
featured_tag:
name: Emneknagg
+ filters:
+ actions:
+ hide: Gøym totalt
+ warn: Gøym med ei advarsel
interactions:
must_be_follower: Gøym varslingar frå folk som ikkje fylgjer deg
must_be_following: Gøym varslingar frå folk du ikkje fylgjer
@@ -200,6 +210,7 @@ nn:
mention: Send e-post når nokon nemner deg
pending_account: Send e-post når ein ny konto treng gjennomgang
reblog: Send e-post når nokon framhevar statusen din
+ report: Ny rapport er sendt
rule:
text: Regler
tag:
@@ -207,6 +218,13 @@ nn:
name: Emneknagg
trendable: Tillat denne emneknaggen til å synast under trendar
usable: Gje tut lov til å nytta denne emneknaggen
+ user:
+ role: Rolle
+ user_role:
+ name: Namn
+ position: Prioritet
+ webhook:
+ url: Endepunkts-URL
'no': Nei
recommended: Tilrådt
required:
diff --git a/config/locales/simple_form.pl.yml b/config/locales/simple_form.pl.yml
index 1be350dca..665ac6af1 100644
--- a/config/locales/simple_form.pl.yml
+++ b/config/locales/simple_form.pl.yml
@@ -85,6 +85,7 @@ pl:
ip: Wprowadź adres IPv4 lub IPv6. Możesz zablokować całe zakresy za pomocą składni CIDR. Uważaj, aby się nie zablokować!
severities:
no_access: Zablokuj dostęp do wszystkich zasobów
+ sign_up_block: Nowe rejestracje nie będą możliwe
sign_up_requires_approval: Nowe rejestracje będą wymagać twojej zgody
severity: Wybierz co ma się stać z żadaniami z tego adresu IP
rule:
@@ -96,7 +97,12 @@ pl:
name: Możesz zmieniać tylko wielkość liter, np. aby były bardziej widoczne
user:
chosen_languages: Jeżeli zaznaczone, tylko wpisy w wybranych językach będą wyświetlane na publicznych osiach czasu
+ role: Rola kontroluje uprawnienia użytkownika
user_role:
+ color: Kolor używany dla roli w całym interfejsie użytkownika, wyrażony jako RGB w formacie szesnastkowym
+ highlighted: To sprawia, że rola jest widoczna publicznie
+ name: Publiczna nazwa roli, jeśli włączone jest wyświetlanie odznaki
+ permissions_as_keys: Użytkownicy z tą rolą będą mieli dostęp do...
position: Wyższa rola decyduje o rozwiązywaniu konfliktów w pewnych sytuacjach. Niektóre działania mogą być wykonywane tylko na rolach z niższym priorytetem
webhook:
events: Wybierz zdarzenia do wysłania
@@ -214,6 +220,7 @@ pl:
ip: Adres IP
severities:
no_access: Zablokuj dostęp
+ sign_up_block: Zablokuj nowe rejestracje
sign_up_requires_approval: Ogranicz rejestracje
severity: Reguła
notification_emails:
@@ -246,6 +253,7 @@ pl:
events: Włączone zdarzenia
url: Endpoint URL
'no': Nie
+ not_recommended: Niezalecane
recommended: Polecane
required:
mark: "*"
diff --git a/config/locales/simple_form.pt-PT.yml b/config/locales/simple_form.pt-PT.yml
index e77457f94..8c56bd2d2 100644
--- a/config/locales/simple_form.pt-PT.yml
+++ b/config/locales/simple_form.pt-PT.yml
@@ -85,6 +85,7 @@ pt-PT:
ip: Introduza um endereço IPv4 ou IPv6. Pode bloquear intervalos inteiros usando a sintaxe CIDR. Tenha cuidado para não se bloquear a sí mesmo!
severities:
no_access: Bloquear o acesso a todos os recursos
+ sign_up_block: Não serão possíveis novas inscrições
sign_up_requires_approval: Novas inscrições requererão a sua aprovação
severity: Escolha o que acontecerá com as solicitações deste IP
rule:
@@ -219,6 +220,7 @@ pt-PT:
ip: IP
severities:
no_access: Bloquear acesso
+ sign_up_block: Bloquear inscrições
sign_up_requires_approval: Limitar inscrições
severity: Regra
notification_emails:
@@ -251,6 +253,7 @@ pt-PT:
events: Eventos ativados
url: URL do Endpoint
'no': Não
+ not_recommended: Não recomendado
recommended: Recomendado
required:
mark: "*"
diff --git a/config/locales/simple_form.ru.yml b/config/locales/simple_form.ru.yml
index ffe41dd14..a9042b25d 100644
--- a/config/locales/simple_form.ru.yml
+++ b/config/locales/simple_form.ru.yml
@@ -3,7 +3,7 @@ ru:
simple_form:
hints:
account_alias:
- acct: Укажите имя_пользователя@домен учётной записи, с которой вы собираетесь мигрировать
+ acct: Укажите ник@домен учётной записи, с которой вы собираетесь мигрировать
account_migration:
acct: Укажите имя_пользователя@домен учётной записи, на которую вы собираетесь мигрировать
account_warning_preset:
@@ -44,7 +44,7 @@ ru:
inbox_url: Копировать URL с главной страницы ретранслятора, который вы хотите использовать
irreversible: Отфильтрованные посты будут утеряны навсегда, даже если в будущем фильтр будет убран
locale: Язык интерфейса, e-mail писем и push-уведомлений
- locked: Подписчиков нужно будет подтверждать вручную.
+ locked: Вручную контролируйте, кто может подписываться на вас, утверждая запросы на подписку
password: Укажите не менее 8 символов.
phrase: Будет сопоставлено независимо от присутствия в тексте или предупреждения о содержании поста
scopes: Какие API приложению будет позволено использовать. Если вы выберете самый верхний, нижестоящие будут выбраны автоматически.
@@ -85,6 +85,7 @@ ru:
ip: Введите IPv4 или IPv6 адрес. Вы можете блокировать целые диапазоны, используя синтаксис CIDR. Будьте осторожны, не заблокируйте самого себя!
severities:
no_access: Заблокировать доступ ко всем ресурсам
+ sign_up_block: Новые регистрации будут невозможны
sign_up_requires_approval: Новые регистрации потребуют вашего одобрения
severity: Выберите, что будет происходить с запросами с этого IP
rule:
@@ -99,6 +100,8 @@ ru:
role: Роль определяет, какие разрешения есть у пользователя
user_role:
color: Цвет, который будет использоваться для роли в интерфейсе (UI), как RGB в формате HEX
+ highlighted: Это действие сделает роль публичной
+ name: Публичное имя роли, если роль настроена на отображение в виде значка
permissions_as_keys: Пользователи с этой ролью будут иметь доступ...
position: Повышение роли разрешают конфликты интересов в некоторых ситуациях. Некоторые действия могут выполняться только на ролях с более низким приоритетом
webhook:
@@ -217,6 +220,7 @@ ru:
ip: IP
severities:
no_access: Блокировать доступ
+ sign_up_block: Заблокировать регистрацию
sign_up_requires_approval: Ограничить регистрации
severity: Правило
notification_emails:
@@ -240,6 +244,8 @@ ru:
user:
role: Роль
user_role:
+ color: Цвет значка
+ highlighted: Отображать роль в качестве значка в профилях пользователей
name: Название
permissions_as_keys: Разрешения
position: Приоритет
@@ -247,6 +253,7 @@ ru:
events: Включенные события
url: Endpoint URL
'no': Нет
+ not_recommended: Не рекомендуется
recommended: Рекомендуем
required:
mark: "*"
diff --git a/config/locales/simple_form.si.yml b/config/locales/simple_form.si.yml
index aa51438a9..4df9f619b 100644
--- a/config/locales/simple_form.si.yml
+++ b/config/locales/simple_form.si.yml
@@ -102,7 +102,7 @@ si:
labels:
account:
fields:
- name: ලේබලය
+ name: නම්පත
value: අන්තර්ගතය
account_alias:
acct: පැරණි ගිණුමේ හැසිරවීම
diff --git a/config/locales/simple_form.sl.yml b/config/locales/simple_form.sl.yml
index 640d2c27e..2724b1727 100644
--- a/config/locales/simple_form.sl.yml
+++ b/config/locales/simple_form.sl.yml
@@ -85,6 +85,7 @@ sl:
ip: Vnesite naslov IPv4 oz. IPv6. S skladnjo CIDR lahko blokirate celotne obsege. Pazite, da se ne zaklenete ven!
severities:
no_access: Blokiraj dostop do vseh virov
+ sign_up_block: Nove registracije ne bodo možne
sign_up_requires_approval: Za nove registracije bo potrebna vaša odobritev
severity: Izberite, kaj se bo zgodilo z zahtevami iz tega IP-naslova
rule:
@@ -219,6 +220,7 @@ sl:
ip: IP
severities:
no_access: Blokiraj dostop
+ sign_up_block: Blokiraj registracije
sign_up_requires_approval: Omeji število prijav
severity: Pravilo
notification_emails:
@@ -251,6 +253,7 @@ sl:
events: Omogočeni dogodki
url: URL končne točke
'no': Ne
+ not_recommended: Ni priporočeno
recommended: Priporočeno
required:
mark: "*"
diff --git a/config/locales/simple_form.sq.yml b/config/locales/simple_form.sq.yml
index fd17afb0e..0c0cd4998 100644
--- a/config/locales/simple_form.sq.yml
+++ b/config/locales/simple_form.sq.yml
@@ -85,6 +85,7 @@ sq:
ip: Jepni një adresë IPv4 ose IPv6. Duke përdorur sintaksën CIDR, mund të bllokoni intervale të tëra. Hapni sytë mos lini veten jashtë!
severities:
no_access: Blloko hyrje në krejt burimet
+ sign_up_block: S’do të jenë të mundur regjistrime të reja
sign_up_requires_approval: Regjistrime të reja do të duan miratimin tuaj
severity: Zgjidhni ç’do të ndodhë me kërkesa nga kjo IP
rule:
@@ -219,6 +220,7 @@ sq:
ip: IP
severities:
no_access: Bllokoji hyrjen
+ sign_up_block: Blloko regjistrime
sign_up_requires_approval: Kufizo regjistrime
severity: Rregull
notification_emails:
@@ -251,6 +253,7 @@ sq:
events: Akte të aktivizuar
url: URL pikëmbarimi
'no': Jo
+ not_recommended: Jo e këshilluar
recommended: E rekomanduar
required:
mark: "*"
diff --git a/config/locales/simple_form.sv.yml b/config/locales/simple_form.sv.yml
index c311eb189..a90c3bce9 100644
--- a/config/locales/simple_form.sv.yml
+++ b/config/locales/simple_form.sv.yml
@@ -60,6 +60,7 @@ sv:
ip: Ange en IPv4 eller IPv6-adress. Du kan blockera hela intervall med hjälp av CIDR-syntax. Var försiktig så att du inte låser ut dig själv!
severities:
no_access: Blockera åtkomst till alla resurser
+ sign_up_block: Nya registreringar inte möjligt
sign_up_requires_approval: Nya registreringar kräver ditt godkännande
severity: Välj vad som ska hända med förfrågningar från denna IP
rule:
@@ -176,6 +177,7 @@ sv:
ip: IP
severities:
no_access: Blockera åtkomst
+ sign_up_block: Blockera registreringar
sign_up_requires_approval: Begränsa registreringar
severity: Regel
notification_emails:
diff --git a/config/locales/simple_form.th.yml b/config/locales/simple_form.th.yml
index b542eba54..27ad0abd5 100644
--- a/config/locales/simple_form.th.yml
+++ b/config/locales/simple_form.th.yml
@@ -64,15 +64,15 @@ th:
domain_allow:
domain: โดเมนนี้จะสามารถดึงข้อมูลจากเซิร์ฟเวอร์นี้และจะประมวลผลและจัดเก็บข้อมูลขาเข้าจากโดเมน
email_domain_block:
- domain: อาจเป็นชื่อโดเมนที่แสดงในที่อยู่อีเมลหรือทะเบียน MX ที่ใช้อยู่ พวกเขาอาจจะได้รับการตรวจสอบเมื่อมีการสมัคร
+ domain: สิ่งนี้สามารถเป็นชื่อโดเมนที่ปรากฏในที่อยู่อีเมลหรือระเบียน MX ที่โดเมนใช้ จะตรวจสอบโดเมนเมื่อลงทะเบียน
with_dns_records: จะทำการพยายามแปลงที่อยู่ระเบียน DNS ของโดเมนที่กำหนดและจะปิดกั้นผลลัพธ์เช่นกัน
featured_tag:
name: 'คุณอาจต้องการใช้หนึ่งในนี้:'
filters:
- action: เลือกการดำเนินการเมื่อโพสต์ตรงกับตัวกรอง
+ action: เลือกว่าการกระทำใดที่จะทำเมื่อโพสต์ตรงกับตัวกรอง
actions:
- hide: ซ่อนเนื้อหาที่ถูกกรองโดยสิ้นเชิง ทำตัวราวกับว่าไม่มีอยู่จริง
- warn: ซ่อนเนื้อหาที่ถูกกรองไว้ด้านหลังคำเตือนที่กล่าวถึงชื่อตัวกรอง
+ hide: ซ่อนเนื้อหาที่กรองอยู่อย่างสมบูรณ์ ทำเสมือนว่าไม่มีเนื้อหาอยู่
+ warn: ซ่อนเนื้อหาที่กรองอยู่หลังคำเตือนที่กล่าวถึงชื่อเรื่องของตัวกรอง
form_challenge:
current_password: คุณกำลังเข้าสู่พื้นที่ปลอดภัย
imports:
@@ -81,31 +81,32 @@ th:
text: นี่จะช่วยให้เราตรวจทานใบสมัครของคุณ
ip_block:
comment: ไม่จำเป็น จดจำเหตุผลที่คุณเพิ่มกฎนี้
- expires_in: ที่อยู่ IP เป็นทรัพยากร บางครั้งมีการแบ่งปันและมักเปลี่ยนมือ ด้วยเหตุผลนี้ จึงไม่แนะนำให้บล็อก IP
+ expires_in: ที่อยู่ IP เป็นทรัพยากรที่มีจำกัด บางครั้งที่อยู่ใช้ร่วมกันและมักเปลี่ยนมือ ด้วยเหตุผลนี้ การปิดกั้น IP แบบไม่มีกำหนดจึงไม่แนะนำ
ip: ป้อนที่อยู่ IPv4 หรือ IPv6 คุณสามารถปิดกั้นทั้งช่วงได้โดยใช้ไวยากรณ์ CIDR ระวังอย่าล็อคตัวคุณเองออก!
severities:
no_access: ปิดกั้นการเข้าถึงทรัพยากรทั้งหมด
+ sign_up_block: จะไม่สามารถทำการลงทะเบียนใหม่
sign_up_requires_approval: การลงทะเบียนใหม่จะต้องมีการอนุมัติของคุณ
severity: เลือกสิ่งที่จะเกิดขึ้นกับคำขอจาก IP นี้
rule:
text: อธิบายกฎหรือข้อกำหนดสำหรับผู้ใช้ในเซิร์ฟเวอร์นี้ พยายามทำให้กฎหรือข้อกำหนดสั้นและเรียบง่าย
sessions:
otp: 'ป้อนรหัสสองปัจจัยที่สร้างโดยแอปในโทรศัพท์ของคุณหรือใช้หนึ่งในรหัสกู้คืนของคุณ:'
- webauthn: หากเป็นคีย์ USB อย่าลืมเสียบไว้ และหากจำเป็น ให้แตะคีย์นั้นไว้นะ
+ webauthn: หากกุญแจความปลอดภัยเป็นกุญแจ USB ตรวจสอบให้แน่ใจว่าได้เสียบกุญแจ และหากจำเป็น ให้แตะกุญแจ
tag:
name: คุณสามารถเปลี่ยนได้เฉพาะตัวพิมพ์ใหญ่เล็กของตัวอักษรเท่านั้น ตัวอย่างเช่น เพื่อทำให้ตัวอักษรอ่านได้ง่ายขึ้น
user:
chosen_languages: เมื่อกาเครื่องหมาย จะแสดงเฉพาะโพสต์ในภาษาที่เลือกในเส้นเวลาสาธารณะเท่านั้น
- role: ควบคุมบทบาท ว่าผู้ใช้มีสิทธิใดบ้าง
+ role: บทบาทควบคุมว่าสิทธิอนุญาตใดที่ผู้ใช้มี
user_role:
- color: สีที่จะใช้สำหรับบทบาทตลอดทั้ง UI เป็น RGB ในรูปแบบฐานสิบหก
- highlighted: ทำให้บทบาทนี้ปรากฏต่อสู่สาธารณะ
- name: ชื่อสาธารณะของบทบาท หากกำหนดบทบาทให้แสดงเป็นตราสัญลักษณ์
- permissions_as_keys: ผู้ใช้ที่มีบทบาทนี้จะมีสิทธิ์เข้าถึง...
- position: บทบาทที่สูงขึ้นอาจจะตัดสินใจแก้ไขข้อขัดแย้งในบางสถานการณ์ การดำเนินการบางอย่างสามารถทำได้เฉพาะกับบทบาทที่มีลำดับความสำคัญต่ำกว่า
+ color: สีที่ใช้สำหรับบทบาททั่วทั้ง UI เป็น RGB ในรูปแบบฐานสิบหก
+ highlighted: สิ่งนี้ทำให้บทบาทปรากฏเป็นสาธารณะ
+ name: ชื่อสาธารณะของบทบาท หากมีการตั้งบทบาทให้แสดงเป็นป้าย
+ permissions_as_keys: ผู้ใช้ที่มีบทบาทนี้จะสามารถเข้าถึง...
+ position: บทบาทที่สูงขึ้นตัดสินใจการแก้ปัญหาข้อขัดแย้งในบางสถานการณ์ การกระทำบางอย่างสามารถทำได้เฉพาะกับบทบาทที่มีระดับความสำคัญต่ำกว่าเท่านั้น
webhook:
events: เลือกเหตุการณ์ที่จะส่ง
- url: กิจกรรมจะถูกส่งไปที่
+ url: ที่ซึ่งจะส่งเหตุการณ์ไปยัง
labels:
account:
fields:
@@ -137,7 +138,7 @@ th:
starts_at: การเริ่มต้นเหตุการณ์
text: ประกาศ
appeal:
- text: อธิบายว่าเหตุใดจึงควรกลับคำตัดสินนี้
+ text: อธิบายเหตุผลที่ควรกลับการตัดสินใจนี้
defaults:
autofollow: เชิญให้ติดตามบัญชีของคุณ
avatar: ภาพประจำตัว
@@ -205,7 +206,7 @@ th:
filters:
actions:
hide: ซ่อนอย่างสมบูรณ์
- warn: ซ่อนพร้อมคำเตือน
+ warn: ซ่อนด้วยคำเตือน
interactions:
must_be_follower: ปิดกั้นการแจ้งเตือนจากผู้ที่ไม่ใช่ผู้ติดตาม
must_be_following: ปิดกั้นการแจ้งเตือนจากผู้คนที่คุณไม่ได้ติดตาม
@@ -219,6 +220,7 @@ th:
ip: IP
severities:
no_access: ปิดกั้นการเข้าถึง
+ sign_up_block: ปิดกั้นการลงทะเบียน
sign_up_requires_approval: จำกัดการลงทะเบียน
severity: กฎ
notification_emails:
@@ -242,15 +244,16 @@ th:
user:
role: บทบาท
user_role:
- color: สีของตรา
- highlighted: แสดงบทบาทเป็นเครื่องหมายบนโปรไฟล์ผู้ใช้
+ color: สีป้าย
+ highlighted: แสดงบทบาทเป็นป้ายในโปรไฟล์ผู้ใช้
name: ชื่อ
permissions_as_keys: สิทธิอนุญาต
position: ระดับความสำคัญ
webhook:
- events: เปิดใช้งานอีเว้น
+ events: เหตุการณ์ที่เปิดใช้งาน
url: URL ปลายทาง
'no': ไม่
+ not_recommended: ไม่แนะนำ
recommended: แนะนำ
required:
mark: "*"
diff --git a/config/locales/simple_form.tr.yml b/config/locales/simple_form.tr.yml
index d1124e3b6..20bb03cd4 100644
--- a/config/locales/simple_form.tr.yml
+++ b/config/locales/simple_form.tr.yml
@@ -85,6 +85,7 @@ tr:
ip: Bir IPv4 veya IPv6 adresi girin. CIDR sözdizimini kullanarak tüm aralıkları engelleyebilirsiniz. Kendinizi dışarıda bırakmamaya dikkat edin!
severities:
no_access: Tüm kaynaklara erişimi engelle
+ sign_up_block: Yeni kayıtlar mümkün olmayacaktır
sign_up_requires_approval: Yeni kayıt onayınızı gerektirir
severity: Bu IP'den gelen isteklere ne olacağını seçin
rule:
@@ -102,6 +103,7 @@ tr:
highlighted: Bu rolü herkese açık hale getirir
name: Rolün, eğer rozet olarak görüntülenmesi ayarlandıysa kullanılacak herkese açık ismi
permissions_as_keys: Bu role sahip kullanıcıların şunlara erişimi var...
+ position: Belirli durumlarda çatışmayı çözmek için daha yüksek rol belirleyicidir. Bazı eylemler ancak daha düşük öncelikteki rollere uygulanabilir
webhook:
events: Gönderilecek etkinlikleri seçin
url: Olayların gönderileceği yer
@@ -218,6 +220,7 @@ tr:
ip: IP
severities:
no_access: Erişimi engelle
+ sign_up_block: Kayıt olmayı engelle
sign_up_requires_approval: Kayıtları sınırla
severity: Kural
notification_emails:
@@ -250,6 +253,7 @@ tr:
events: Etkin olaylar
url: Uç nokta URL’si
'no': Hayır
+ not_recommended: Önerilmez
recommended: Önerilen
required:
mark: "*"
diff --git a/config/locales/simple_form.uk.yml b/config/locales/simple_form.uk.yml
index ec43655e4..3f12b6d6e 100644
--- a/config/locales/simple_form.uk.yml
+++ b/config/locales/simple_form.uk.yml
@@ -85,6 +85,7 @@ uk:
ip: Введіть адресу IPv4 або IPv6. Ви можете блокувати цілі діапазони, використовуючи синтаксис CIDR. Будьте обережні, щоб не заблокувати себе!
severities:
no_access: Заблокувати доступ до всіх ресурсів
+ sign_up_block: Нові реєстрації будуть неможливі
sign_up_requires_approval: Нові реєстрації потребуватимуть затвердження вами
severity: Виберіть, що буде відбуватися з запитами з цієї IP
rule:
@@ -219,6 +220,7 @@ uk:
ip: IP
severities:
no_access: Заборонити доступ
+ sign_up_block: Блокувати реєстрацію
sign_up_requires_approval: Обмеження реєстрації
severity: Правило
notification_emails:
@@ -251,6 +253,7 @@ uk:
events: Увімкнені події
url: URL кінцевої точки
'no': Ні
+ not_recommended: Не рекомендовано
recommended: Рекомендовано
required:
mark: "*"
diff --git a/config/locales/simple_form.vi.yml b/config/locales/simple_form.vi.yml
index 7bc43a0b0..502bc5519 100644
--- a/config/locales/simple_form.vi.yml
+++ b/config/locales/simple_form.vi.yml
@@ -20,7 +20,7 @@ vi:
sensitive: Mọi tập tin của tài khoản này tải lên đều sẽ bị gắn nhãn nhạy cảm.
silence: Cấm tài khoản này đăng tút công khai, ẩn tút của họ hiện ra với những người chưa theo dõi họ.
suspend: Vô hiệu hóa và xóa sạch dữ liệu của tài khoản này. Có thể khôi phục trước 30 ngày.
- warning_preset_id: Tùy chọn. Bạn vẫn có thể thêm ghi chú riêng
+ warning_preset_id: Tùy chọn. Bạn vẫn có thể thêm chú thích riêng
announcement:
all_day: Chỉ có khoảng thời gian được đánh dấu mới hiển thị
ends_at: Tùy chọn. Thông báo sẽ tự động hủy vào lúc này
@@ -85,6 +85,7 @@ vi:
ip: Nhập một địa chỉ IPv4 hoặc IPv6. Bạn cũng có thể chặn toàn bộ dãy IP bằng cú pháp CIDR. Hãy cẩn thận đừng chặn nhầm toàn bộ!
severities:
no_access: Chặn truy cập từ tất cả IP này
+ sign_up_block: Không chấp nhận đăng ký mới
sign_up_requires_approval: Bạn sẽ phê duyệt những đăng ký mới từ IP này
severity: Chọn hành động nếu nhận được yêu cầu từ IP này
rule:
@@ -121,11 +122,11 @@ vi:
admin_account_action:
include_statuses: Đính kèm những tút bị báo cáo trong e-mail
send_email_notification: Thông báo cho người này qua email
- text: Ghi chú riêng
+ text: Chú thích riêng
type: Hành động
types:
disable: Khóa
- none: Nhắc nhở
+ none: Cảnh cáo
sensitive: Nhạy cảm
silence: Hạn chế
suspend: Vô hiệu hóa
@@ -219,6 +220,7 @@ vi:
ip: IP
severities:
no_access: Chặn truy cập
+ sign_up_block: Chặn đăng ký
sign_up_requires_approval: Giới hạn đăng ký
severity: Mức độ
notification_emails:
@@ -251,6 +253,7 @@ vi:
events: Những sự kiện đã bật
url: URL endpoint
'no': Tắt
+ not_recommended: Không đề xuất
recommended: Đề xuất
required:
mark: "*"
diff --git a/config/locales/simple_form.zh-CN.yml b/config/locales/simple_form.zh-CN.yml
index 703c200c9..e8bddf332 100644
--- a/config/locales/simple_form.zh-CN.yml
+++ b/config/locales/simple_form.zh-CN.yml
@@ -33,7 +33,7 @@ zh-CN:
autofollow: 通过邀请链接注册的用户将会自动关注你
avatar: 文件大小限制 %{size},只支持 PNG、GIF 或 JPG 格式。图片分辨率将会压缩至 %{dimensions}px
bot: 来自这个帐户的绝大多数操作都是自动进行的,并且可能无人监控
- context: 过滤器的应用场景
+ context: 过滤器的应用环境
current_password: 为了安全起见,请输入当前账号的密码
current_username: 请输入当前账号的用户名以确认
digest: 仅在你长时间未登录,且收到了私信时发送
@@ -85,6 +85,7 @@ zh-CN:
ip: 输入 IPv4 或 IPv6 地址。你可以使用 CIDR 语法屏蔽 IP 段。小心不要屏蔽自己!
severities:
no_access: 阻止访问所有资源
+ sign_up_block: 无法进行新的账号注册
sign_up_requires_approval: 新注册需要你的批准
severity: 选择如何处理来自此 IP 的请求。
rule:
@@ -145,7 +146,7 @@ zh-CN:
chosen_languages: 语言过滤
confirm_new_password: 确认新密码
confirm_password: 确认密码
- context: 过滤器场景
+ context: 过滤器环境
current_password: 当前密码
data: 数据文件
discoverable: 在本站用户目录中收录此账号
@@ -219,6 +220,7 @@ zh-CN:
ip: IP 地址
severities:
no_access: 阻止访问
+ sign_up_block: 阻止账号注册
sign_up_requires_approval: 限制注册
severity: 规则
notification_emails:
@@ -251,6 +253,7 @@ zh-CN:
events: 已启用事件
url: 端点网址
'no': 否
+ not_recommended: 不推荐
recommended: 推荐
required:
mark: "*"
diff --git a/config/locales/simple_form.zh-TW.yml b/config/locales/simple_form.zh-TW.yml
index a3e29b374..b5eb3e8c1 100644
--- a/config/locales/simple_form.zh-TW.yml
+++ b/config/locales/simple_form.zh-TW.yml
@@ -85,6 +85,7 @@ zh-TW:
ip: 請輸入 IPv4 或 IPv6 位址,亦可以用 CIDR 語法以封鎖整個 IP 區段。小心不要把自己給一併封鎖掉囉!
severities:
no_access: 封鎖對所有資源存取
+ sign_up_block: 無法註冊新帳號
sign_up_requires_approval: 新註冊申請需要先經過您的審核
severity: 請選擇將如何處理來自這個 IP 位址的請求
rule:
@@ -219,6 +220,7 @@ zh-TW:
ip: IP 位址
severities:
no_access: 封鎖
+ sign_up_block: 禁止註冊新帳號
sign_up_requires_approval: 限制註冊
severity: 規則
notification_emails:
@@ -251,6 +253,7 @@ zh-TW:
events: 已啟用的事件
url: 端點 URL
'no': 否
+ not_recommended: 不建議
recommended: 建議
required:
mark: "*"
diff --git a/config/locales/sk.yml b/config/locales/sk.yml
index 5fefb4e09..6c12a07f4 100644
--- a/config/locales/sk.yml
+++ b/config/locales/sk.yml
@@ -27,7 +27,6 @@ sk:
learn_more: Zisti viac
logged_in_as_html: Práve si prihlásený/á ako %{username}.
logout_before_registering: Už si prihlásený/á.
- privacy_policy: Zásady súkromia
rules: Serverové pravidlá
see_whats_happening: Pozoruj, čo sa deje
server_stats: 'Serverové štatistiky:'
@@ -39,7 +38,6 @@ sk:
other: príspevky
status_count_before: Ktorí napísali
tagline: Decentralizovaná sociálna sieť
- terms: Podmienky užitia
unavailable_content: Nedostupný obsah
unavailable_content_description:
reason: 'Dôvod:'
@@ -110,6 +108,11 @@ sk:
new_email: Nový email
submit: Zmeň email
title: Zmeň email pre %{username}
+ change_role:
+ changed_msg: Postavenie úspešne zmenené!
+ label: Zmeň pozíciu
+ no_role: Žiadna pozícia
+ title: Zmeň pozíciu pre %{username}
confirm: Potvrď
confirmed: Potvrdený
confirming: Potvrdzujúci
@@ -146,6 +149,7 @@ sk:
active: Aktívny/a
all: Všetko
pending: Čakajúci
+ silenced: Obmedzený
suspended: Vylúčený/á
title: Moderácia
moderation_notes: Moderátorské poznámky
@@ -153,6 +157,7 @@ sk:
most_recent_ip: Posledná IP adresa
no_account_selected: Nedošlo k žiadnému pozmeneniu účtov, keďže žiadne neboli vybrané
no_limits_imposed: Nie sú stanovené žiadné obmedzenia
+ no_role_assigned: Žiadne postavenie nepriradené
not_subscribed: Neodoberá
pending: Vyžaduje posúdenie
perform_full_suspension: Vylúč
@@ -171,6 +176,7 @@ sk:
reset: Resetuj
reset_password: Obnov heslo
resubscribe: Znovu odoberaj
+ role: Postavenie
search: Hľadaj
search_same_email_domain: Iní užívatelia s tou istou emailovou doménou
search_same_ip: Ostatní užívatelia s rovnakou IP adresou
@@ -247,7 +253,6 @@ sk:
change_email_user_html: "%{name} zmenil/a emailovú adresu užívateľa %{target}"
confirm_user_html: "%{name} potvrdil/a emailovú adresu používateľa %{target}"
create_account_warning_html: "%{name} poslal/a upozornenie užívateľovi %{target}"
- deleted_status: "(zmazaný príspevok)"
filter_by_action: Filtruj podľa úkonu
filter_by_user: Trieď podľa užívateľa
title: Kontrólny záznam
@@ -347,7 +352,9 @@ sk:
domain: Doména
new:
create: Pridaj doménu
+ resolve: Preveď doménu
title: Nový email na zablokovanie
+ resolved_through_html: Prevedená cez %{domain}
title: Blokované emailové adresy
follow_recommendations:
description_html: "Odporúčania na sledovanie pomáhaju novým užívateľom rýchlo nájsť zaujímavý obsah. Ak užívateľ zatiaľ nedostatočne interagoval s ostatnými aby si vyformoval personalizované odporúčania na sledovanie, tak mu budú odporúčané tieto účty. Sú prepočítavané na dennej báze z mixu účtov s nedávnym najvyšším záujmom a najvyšším počtom lokálnych sledujúcich pre daný jazyk."
@@ -369,7 +376,11 @@ sk:
policies:
reject_media: Zamietni médiá
suspend: Vylúč
+ policy: Zásady
reason: Verejné odôvodnenie
+ title: Zásady o obsahu
+ dashboard:
+ instance_accounts_dimension: Najsledovanejšie účty
delivery:
all: Všetko
unavailable: Nedostupné
@@ -467,6 +478,23 @@ sk:
unassign: Odober
unresolved: Nevyriešené
updated_at: Aktualizované
+ view_profile: Zobraz profil
+ roles:
+ add_new: Pridaj postavenie
+ assigned_users:
+ few: "%{count} užívateľov"
+ many: "%{count} užívateľov"
+ one: "%{count} užívateľ"
+ other: "%{count} užívatelia"
+ categories:
+ administration: Spravovanie
+ invites: Pozvánky
+ edit: Uprav postavenie %{name}
+ privileges:
+ administrator: Správca
+ invite_users: Pozvi užívateľov
+ manage_roles: Spravuj postavenia
+ title: Postavenia
rules:
empty: Žiadne pravidlá servera ešte neboli určené.
title: Serverové pravidlá
@@ -533,9 +561,6 @@ sk:
site_short_description:
desc_html: Zobrazené na bočnom paneli a pri meta tagoch. Popíš čo je Mastodon, a čo robí tento server iným, v jednom paragrafe. Pokiaľ toto necháš prázdne, bude tu zobrazený základný popis servera.
title: Krátky popis serveru
- site_terms:
- desc_html: Môžeš si napísať svoje vlastné pravidla o súkromí, prevádzke, alebo aj iné legality. Môžeš tu používať HTML kód
- title: Vlastné pravidlá prevádzky
site_title: Názov servera
thumbnail:
desc_html: Používané pre náhľady cez OpenGraph a API. Doporučuje sa rozlišenie 1200x630px
@@ -544,9 +569,6 @@ sk:
desc_html: Zobraziť verejnú nástenku na hlavnej stránke
title: Náhľad nástenky
title: Nastavenia stránky
- trendable_by_default:
- desc_html: Ovplyvňuje haštagy ktoré predtým neboli zakázané
- title: Dovoľ haštagom zobrazovať sa ako populárne, bez predchodzieho posudzovania
trends:
desc_html: Verejne zobraz už schválené haštagy, ktoré práve trendujú
title: Populárne haštagy
@@ -882,16 +904,6 @@ sk:
carry_blocks_over_text: Tento užívateľ sa presunul z účtu %{acct}, ktorý si mal/a zablokovaný.
carry_mutes_over_text: Tento užívateľ sa presunul z účtu %{acct}, ktorý si mal/a stíšený.
notification_mailer:
- digest:
- 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: A ešte, kým si bol/a preč, si získal/a %{count} nových následovateľov! Hurá!
- many: A ešte, kým si bol/a preč, si získal/a %{count} nových následovateľov! Hurá!
- one: A ešte, kým si bol/a preč, si získal/a jedného nového následovateľa! Hurá!
- other: A ešte, kým si bol/a preč, si získal/a %{count} nových následovateľov! Hurá!
- title: Zatiaľ čo si bol/a preč…
favourite:
body: 'Tvoj príspevok bol uložený medzi obľúbené užívateľa %{name}:'
subject: "%{name} si obľúbil/a tvoj príspevok"
@@ -1087,8 +1099,6 @@ sk:
sensitive_content: Senzitívny obsah
tags:
does_not_match_previous_name: nezhoduje sa s predošlým názvom
- terms:
- title: Podmienky užívania, a pravidlá súkromia pre %{instance}
themes:
contrast: Mastodon (vysoký kontrast)
default: Mastodon (tmavý)
diff --git a/config/locales/sl.yml b/config/locales/sl.yml
index e4c510308..2c1f11afa 100644
--- a/config/locales/sl.yml
+++ b/config/locales/sl.yml
@@ -41,7 +41,6 @@ sl:
two: stanja
status_count_before: Ki so avtorji
tagline: Decentralizirano družbeno omrežje
- terms: Pogoji storitve
unavailable_content: Moderirani strežniki
unavailable_content_description:
domain: Strežnik
@@ -245,17 +244,21 @@ sl:
approve_user: Odobri uporabnika
assigned_to_self_report: Dodeli prijavo
change_email_user: Spremeni e-poštni naslov uporabnika
+ change_role_user: Spremeni vlogo uporabnika
confirm_user: Potrdi uporabnika
create_account_warning: Ustvari opozorilo
create_announcement: Ustvari obvestilo
+ create_canonical_email_block: Ustvari blokado e-pošte
create_custom_emoji: Ustvari emodži po meri
create_domain_allow: Ustvari odobritev domene
create_domain_block: Ustvari blokado domene
create_email_domain_block: Ustvari blokado domene e-pošte
create_ip_block: Ustvari pravilo IP
create_unavailable_domain: Ustvari domeno, ki ni na voljo
+ create_user_role: Ustvari vlogo
demote_user: Ponižaj uporabnika
destroy_announcement: Izbriši obvestilo
+ destroy_canonical_email_block: Izbriši blokado e-pošte
destroy_custom_emoji: Izbriši emodži po meri
destroy_domain_allow: Izbriši odobritev domene
destroy_domain_block: Izbriši blokado domene
@@ -264,6 +267,7 @@ sl:
destroy_ip_block: Izbriši pravilo IP
destroy_status: Izbriši objavo
destroy_unavailable_domain: Izbriši domeno, ki ni na voljo
+ destroy_user_role: Uniči vlogo
disable_2fa_user: Onemogoči
disable_custom_emoji: Onemogoči emodži po meri
disable_sign_in_token_auth_user: Onemogoči overjanje z žetonom po e-pošti za uporabnika
@@ -290,24 +294,30 @@ sl:
update_announcement: Posodobi objavo
update_custom_emoji: Posodobi emodži po meri
update_domain_block: Posodobi blokado domene
+ update_ip_block: Posodobi pravilo IP
update_status: Posodobi objavo
+ update_user_role: Posodobi vlogo
actions:
approve_appeal_html: "%{name} je ugodil pritožbi uporabnika %{target} na moderatorsko odločitev"
approve_user_html: "%{name} je odobril/a registracijo iz %{target}"
assigned_to_self_report_html: "%{name} je dodelil/a prijavo %{target} sebi"
change_email_user_html: "%{name} je spremenil/a naslov e-pošte uporabnika %{target}"
+ change_role_user_html: "%{name} je spremenil/a vlogo %{target}"
confirm_user_html: "%{name} je potrdil/a naslov e-pošte uporabnika %{target}"
create_account_warning_html: "%{name} je poslal/a opozorilo %{target}"
create_announcement_html: "%{name} je ustvarila/a novo obvestilo %{target}"
+ create_canonical_email_block_html: "%{name} je dal/a na črni seznam e-pošto s ključnikom %{target}"
create_custom_emoji_html: "%{name} je posodobil/a emotikone %{target}"
create_domain_allow_html: "%{name} je dovolil/a federacijo z domeno %{target}"
create_domain_block_html: "%{name} je blokiral/a domeno %{target}"
create_email_domain_block_html: "%{name} je dal/a na črni seznam e-pošto domene %{target}"
create_ip_block_html: "%{name} je ustvaril/a pravilo za IP %{target}"
create_unavailable_domain_html: "%{name} je prekinil/a dostavo v domeno %{target}"
+ create_user_role_html: "%{name} je ustvaril/a vlogo %{target}"
demote_user_html: "%{name} je ponižal/a uporabnika %{target}"
destroy_announcement_html: "%{name} je izbrisal/a obvestilo %{target}"
- destroy_custom_emoji_html: "%{name} je uničil/a emotikone %{target}"
+ destroy_canonical_email_block_html: "%{name} je odstranil/a s črnega seznama e-pošto s ključnikom %{target}"
+ destroy_custom_emoji_html: "%{name} je izbrisal/a emotikon %{target}"
destroy_domain_allow_html: "%{name} ni dovolil/a federacije z domeno %{target}"
destroy_domain_block_html: "%{name} je odblokiral/a domeno %{target}"
destroy_email_domain_block_html: "%{name} je odblokiral/a e-pošto domene %{target}"
@@ -315,6 +325,7 @@ sl:
destroy_ip_block_html: "%{name} je izbrisal/a pravilo za IP %{target}"
destroy_status_html: "%{name} je odstranil/a objavo uporabnika %{target}"
destroy_unavailable_domain_html: "%{name} je nadaljeval/a dostav v domeno %{target}"
+ destroy_user_role_html: "%{name} je izbrisal/a vlogo %{target}"
disable_2fa_user_html: "%{name} je onemogočil/a dvofaktorsko zahtevo za uporabnika %{target}"
disable_custom_emoji_html: "%{name} je onemogočil/a emotikone %{target}"
disable_sign_in_token_auth_user_html: "%{name} je onemogočil/a overjanje z žetonom po e-pošti za uporabnika %{target}"
@@ -341,8 +352,9 @@ sl:
update_announcement_html: "%{name} je posodobil/a objavo %{target}"
update_custom_emoji_html: "%{name} je posodobil/a emotikone %{target}"
update_domain_block_html: "%{name} je posodobil/a domenski blok za %{target}"
+ update_ip_block_html: "%{name} je spremenil/a pravilo za IP %{target}"
update_status_html: "%{name} je posodobil/a objavo uporabnika %{target}"
- deleted_status: "(izbrisana objava)"
+ update_user_role_html: "%{name} je spremenil/a vlogo %{target}"
empty: Ni najdenih zapisnikov.
filter_by_action: Filtriraj po dejanjih
filter_by_user: Filtriraj po uporabnikih
@@ -816,8 +828,8 @@ sl:
desc_html: Prikazano v stranski vrstici in metaoznakah. V enem odstavku opišite, kaj je Mastodon in kaj naredi ta strežnik poseben.
title: Kratek opis strežnika
site_terms:
- desc_html: Lahko napišete svojo pravilnik o zasebnosti, pogoje storitve ali druge pravne dokumente. Lahko uporabite oznake HTML
- title: Pogoji storitve po meri
+ desc_html: Napišete lahko svoj pravilnik o zasebnosti. Uporabite lahko značke HTML.
+ title: Pravilnik o zasebnosti po meri
site_title: Ime strežnika
thumbnail:
desc_html: Uporablja se za predogled prek OpenGrapha in API-ja. Priporočamo 1200x630px
@@ -827,8 +839,8 @@ sl:
title: Predogled časovnice
title: Nastavitve strani
trendable_by_default:
- desc_html: Velja za ključnike, ki niso bili poprej onemogočeni
- title: Dovoli, da so ključniki v trendu brez predhodnega pregleda
+ desc_html: Določeno vsebino v trendu je še vedno možno izrecno prepovedati
+ title: Dovoli trende brez predhodnega pregleda
trends:
desc_html: Javno prikaži poprej pregledano vsebino, ki je trenutno v trendu
title: Trendi
@@ -1221,6 +1233,8 @@ sl:
edit:
add_keyword: Dodaj ključno besedo
keywords: Ključne besede
+ statuses: Posamezne objave
+ statuses_hint_html: Ta filter velja za izbrane posamezne objave, ne glede na to, ali se ujemajo s spodnjimi ključnimi besedami. Preglejte ali odstarnite objave iz filtra.
title: Uredite filter
errors:
deprecated_api_multiple_keywords: Teh parametrov ni mogoče spremeniti iz tega programa, ker veljajo za več kot eno ključno besedo filtra. Uporabite novejšo izdaj programa ali spletni vmesnik.
@@ -1236,10 +1250,27 @@ sl:
one: "%{count} ključna beseda"
other: "%{count} ključnih besed"
two: "%{count} ključni besedi"
+ statuses:
+ few: "%{count} objave"
+ one: "%{count} objava"
+ other: "%{count} objav"
+ two: "%{count} objavi"
+ statuses_long:
+ few: "%{count} posamezne objave skrite"
+ one: "%{count} posamezna objava skrita"
+ other: "%{count} posameznih objav skritih"
+ two: "%{count} posamezni objavi skriti"
title: Filtri
new:
save: Shrani nov filter
title: Dodaj nov filter
+ statuses:
+ back_to_filter: Nazaj na filter
+ batch:
+ remove: Odstrani iz filtra
+ index:
+ hint: Ta filter se nanaša na posamezne objave ne glede na druge pogoje. Filtru lahko dodate več objav prek spletnega vmesnika.
+ title: Filtrirane objave
footer:
developers: Razvijalci
more: Več…
@@ -1247,12 +1278,28 @@ sl:
trending_now: Zdaj v trendu
generic:
all: Vse
+ all_items_on_page_selected_html:
+ few: Na tej strani so izbrani %{count} elementi.
+ one: Na tej strani je izbran %{count} element.
+ other: Na tej strani je izbranih %{count} elementov.
+ two: Na tej strani sta izbrana %{count} elementa.
+ all_matching_items_selected_html:
+ few: Izbrani so %{count} elementi, ki ustrezajo vašemu iskanju.
+ one: Izbran je %{count} element, ki ustreza vašemu iskanju.
+ other: Izbranih je %{count} elementov, ki ustrezajo vašemu iskanju.
+ two: Izbrana sta %{count} elementa, ki ustrezata vašemu iskanju.
changes_saved_msg: Spremembe so uspešno shranjene!
copy: Kopiraj
delete: Izbriši
+ deselect: Prekliči ves izbor
none: Brez
order_by: Razvrsti po
save_changes: Shrani spremembe
+ select_all_matching_items:
+ few: Izberite %{count} elemente, ki ustrezajo vašemu iskanju.
+ one: Izberite %{count} element, ki ustreza vašemu iskanju.
+ other: Izberite %{count} elementov, ki ustrezajo vašemu iskanju.
+ two: Izberite %{count} elementa, ki ustrezata vašemu iskanju.
today: danes
validation_errors:
few: Nekaj še ni čisto v redu! Spodaj si oglejte %{count} napake
@@ -1365,21 +1412,6 @@ sl:
subject: "%{name} je oddal/a prijavo"
sign_up:
subject: "%{name} se je vpisal/a"
- digest:
- action: Prikaži vsa obvestila
- body: Tukaj je kratek povzetek sporočil, ki ste jih zamudili od vašega zadnjega obiska v %{since}
- mention: "%{name} vas je omenil/a v:"
- new_followers_summary:
- few: Prav tako ste pridobili %{count} nove sledilce, ko ste bili odsotni! Juhu!
- one: Prav tako ste pridobili enega novega sledilca, ko ste bili odsotni! Juhu!
- other: Prav tako ste pridobili %{count} novih sledilcev, ko ste bili odsotni! Juhu!
- two: Prav tako ste pridobili %{count} nova sledilca, ko ste bili odsotni! Juhu!
- subject:
- few: "%{count} nova obvestila od vašega zadnjega obiska 🐘"
- one: "%{count} novo obvestilo od vašega zadnjega obiska 🐘"
- other: "%{count} novih obvestil od vašega zadnjega obiska 🐘"
- two: "%{count} novi obvestili od vašega zadnjega obiska 🐘"
- title: V vaši odsotnosti...
favourite:
body: "%{name} je vzljubil/a vašo objavo:"
subject: "%{name} je vzljubil/a vašo objavo"
@@ -1754,7 +1786,7 @@ sl:
Ta dokument je CC-BY-SA. Zadnja posodobitev je bila 7. marca 2018.
- title: "%{instance} Pogoji storitve in pravilnik o zasebnosti"
+ title: Pravilnik o zasebnosti %{instance}
themes:
contrast: Mastodon (Visok kontrast)
default: Mastodon (Temna)
diff --git a/config/locales/sq.yml b/config/locales/sq.yml
index 8a91cc6f4..e90449495 100644
--- a/config/locales/sq.yml
+++ b/config/locales/sq.yml
@@ -28,7 +28,7 @@ sq:
learn_more: Mësoni më tepër
logged_in_as_html: Aktualisht jeni i futur si %{username}.
logout_before_registering: Jeni i futur tashmë.
- privacy_policy: Rregulla privatësie
+ privacy_policy: Rregulla Privatësie
rules: Rregulla shërbyesi
rules_html: 'Më poshtë keni një përmbledhje të rregullave që duhet të ndiqni, nëse doni të keni një llogari në këtë shërbyes Mastodon:'
see_whats_happening: Shihni ç'ndodh
@@ -39,7 +39,6 @@ sq:
other: mesazhe
status_count_before: Që kanë krijuar
tagline: Rrjet shoqëror i decentralizuar
- terms: Kushte shërbimi
unavailable_content: Shërbyes të moderuar
unavailable_content_description:
domain: Shërbyes
@@ -235,17 +234,21 @@ sq:
approve_user: Miratoje Përdoruesin
assigned_to_self_report: Caktoji Raportim
change_email_user: Ndrysho Email për Përdoruesin
+ change_role_user: Ndryshoni Rol Përdoruesi
confirm_user: Ripohoje Përdoruesin
create_account_warning: Krijo Sinjalizim
create_announcement: Krijoni Lajmërim
+ create_canonical_email_block: Krijoni Bllokim Email-esh
create_custom_emoji: Krijo Emotikon Vetjak
create_domain_allow: Krijo Lejim Përkatësie
create_domain_block: Krijo Bllokim Përkatësie
create_email_domain_block: Krijo Bllokim Përkatësie Email-esh
create_ip_block: Krijoni Rregull IP
create_unavailable_domain: Krijo Përkatësi të Papërdorshme
+ create_user_role: Krijoni Rol
demote_user: Zhgradoje Përdoruesin
destroy_announcement: Fshije Lajmërimin
+ destroy_canonical_email_block: Fshi Bllokim El-esh
destroy_custom_emoji: Fshi Emotikon Vetjak
destroy_domain_allow: Fshi Lejim Përkatësie
destroy_domain_block: Fshi Bllokim Përkatësie
@@ -254,6 +257,7 @@ sq:
destroy_ip_block: Fshini Rregull IP
destroy_status: Fshi Gjendje
destroy_unavailable_domain: Fshi Përkatësi të Papërdorshme
+ destroy_user_role: Asgjësoje Rolin
disable_2fa_user: Çaktivizo 2FA-në
disable_custom_emoji: Çaktivizo Emotikon Vetjak
disable_sign_in_token_auth_user: Çaktivizo Mirëfilltësim me Token Email-i për Përdoruesin
@@ -280,24 +284,30 @@ sq:
update_announcement: Përditëso Lajmërimin
update_custom_emoji: Përditëso Emoxhi Vetjake
update_domain_block: Përditëso Bllok Përkatësish
+ update_ip_block: Përditësoni rregull IP
update_status: Përditëso Gjendjen
+ update_user_role: Përditësoni Rol
actions:
approve_appeal_html: "%{name} miratoi apelim vendimi moderimi nga %{target}"
approve_user_html: "%{name} miratoi regjistrim nga %{target}"
assigned_to_self_report_html: "%{name} ia kaloi raportimin %{target} në ngarkim vetvetes"
change_email_user_html: "%{name} ndryshoi adresën email të përdoruesit %{target}"
+ change_role_user_html: "%{name} ndryshoi rolin e %{target}"
confirm_user_html: "%{name} ripohoi adresën email të përdoruesit %{target}"
create_account_warning_html: "%{name} dërgoi një sinjalizim për %{target}"
create_announcement_html: "%{name} krijoi lajmërim të ri për %{target}"
+ create_canonical_email_block_html: "%{name} bllokoi email-in me hashin %{target}"
create_custom_emoji_html: "%{name} ngarkoi emoxhi të ri %{target}"
create_domain_allow_html: "%{name} lejoi federim me përkatësinë %{target}"
create_domain_block_html: "%{name} bllokoi përkatësinë %{target}"
create_email_domain_block_html: "%{name} bllokoi përkatësinë email %{target}"
create_ip_block_html: "%{name} krijoi rregull për IP-në %{target}"
create_unavailable_domain_html: "%{name} ndali dërgimin drejt përkatësisë %{target}"
+ create_user_role_html: "%{name} krijoi rolin %{target}"
demote_user_html: "%{name} zhgradoi përdoruesin %{target}"
destroy_announcement_html: "%{name} fshiu lajmërimin për %{target}"
- destroy_custom_emoji_html: "%{name} asgjësoi emoxhin %{target}"
+ destroy_canonical_email_block_html: "%{name} zhbllokoi email-n me hashin %{target}"
+ destroy_custom_emoji_html: "%{name} fshiu emoji-n %{target}"
destroy_domain_allow_html: "%{name} hoqi lejimin për federim me %{target}"
destroy_domain_block_html: "%{name} zhbllokoi përkatësinë %{target}"
destroy_email_domain_block_html: "%{name} hoqi bllokimin për përkatësinë email %{target}"
@@ -305,6 +315,7 @@ sq:
destroy_ip_block_html: "%{name} fshiu rregull për IP-në %{target}"
destroy_status_html: "%{name} hoqi gjendje nga %{target}"
destroy_unavailable_domain_html: "%{name} rinisi dërgimin drejt përkatësisë %{target}"
+ destroy_user_role_html: "%{name} fshiu rolin %{target}"
disable_2fa_user_html: "%{name} çaktivizoi domosdoshmërinë për dyfaktorësh për përdoruesin %{target}"
disable_custom_emoji_html: "%{name} çaktivizoi emoxhin %{target}"
disable_sign_in_token_auth_user_html: "%{name} çaktivizo mirëfilltësim me token email-i për %{target}"
@@ -331,8 +342,9 @@ sq:
update_announcement_html: "%{name} përditësoi lajmërimin %{target}"
update_custom_emoji_html: "%{name} përditësoi emoxhin %{target}"
update_domain_block_html: "%{name} përditësoi bllokimin e përkatësish për %{target}"
+ update_ip_block_html: "%{name} ndryshoi rregull për IP-në %{target}"
update_status_html: "%{name} përditësoi gjendjen me %{target}"
- deleted_status: "(fshiu gjendjen)"
+ update_user_role_html: "%{name} ndryshoi rolin për %{target}"
empty: S’u gjetën regjistra.
filter_by_action: Filtroji sipas veprimit
filter_by_user: Filtroji sipas përdoruesit
@@ -781,8 +793,8 @@ sq:
desc_html: E shfaqur në anështyllë dhe etiketa meta. Përshkruani në një paragraf të vetëm ç’është Mastodon-i dhe ç’e bën special këtë shërbyes. Në u lëntë i zbrazët, për shërbyesin do të përdoret përshkrimi parazgjedhje.
title: Përshkrim i shkurtër shërbyesi
site_terms:
- desc_html: Mund të shkruani rregullat tuaja të privatësisë, kushtet e shërbimit ose gjëra të tjera ligjore. Mund të përdorni etiketa HTML
- title: Kushte vetjake shërbimi
+ desc_html: Mund të shkruani rregullat tuaja të privatësisë. Mundeni të përdorni etiketa HTML
+ title: Rregulla vetjake privatësie
site_title: Emër shërbyesi
thumbnail:
desc_html: I përdorur për paraparje përmes OpenGraph-it dhe API-t. Këshillohet 1200x630px
@@ -792,8 +804,8 @@ sq:
title: Lejo në rrjedhë kohore publike hyrje pa mirëfilltësim
title: Rregullime sajti
trendable_by_default:
- desc_html: Prek hashtag-ë që nuk kanë qenë të palejuar më parë
- title: Lejo hashtag-ë në prirje pa paraparje paraprake
+ desc_html: Lënda specifike në modë prapë mund të ndalohet shprehimisht
+ title: Lejoni prirje pa shqyrtim paraprak
trends:
desc_html: Shfaqni publikisht hashtag-ë të shqyrtuar më parë që janë popullorë tani
title: Hashtag-ë popullorë tani
@@ -855,6 +867,7 @@ sq:
other: Ndarë me të tjerë nga %{count} vetë gjatë javës së kaluar
title: Lidhje në modë
usage_comparison: Ndarë %{today} herë sot, kundrejt %{yesterday} dje
+ only_allowed: Lejuar vetëm
pending_review: Në pritje të shqyrtimit
preview_card_providers:
allowed: Lidhje prej këtij botuesi mund të përdoren
@@ -874,6 +887,7 @@ sq:
other: Ndarë me të tjerë, ose shënuar si e parapëlqyer %{friendly_count} herë
title: Postime në modë
tags:
+ current_score: Vlera aktuale %{score}
dashboard:
tag_accounts_measure: përdorime unike
tag_languages_dimension: Gjuhë kryesuese
@@ -945,6 +959,7 @@ sq:
body: 'Gjërat vijuese lypin një shqyrtim, përpara se të mund të shfaqen publikisht:'
new_trending_links:
no_approved_links: Aktualisht s’ka lidhje në modë të miratuara.
+ requirements: 'Cilido prej këtyre kandidatëve mund të kalojë lidhjen e miratuar për në modë #%{rank}, që aktualisht është “%{lowest_link_title}” me pikë %{lowest_link_score}.'
title: Lidhje në modë
new_trending_statuses:
no_approved_statuses: Aktualisht s’ka postime në modë të miratuar.
@@ -1172,6 +1187,8 @@ sq:
edit:
add_keyword: Shtoni fjalëkyç
keywords: Fjalëkyçe
+ statuses: Postime individuale
+ statuses_hint_html: Ky filtër aplikohet për të përzgjedhur postime individuale, pavarësish se kanë apo jo përkim me fjalëkyçat më poshtë. Shqyrtoni, ose hiqni postime prej filtrit.
title: Përpunoni filtër
errors:
deprecated_api_multiple_keywords: Këta parametra s’mund të ndryshohen nga ky aplikacion, ngaqë aplikohen mbi më shumë se një fjalëkyç filtri. Përdorni një aplikacion më të ri, ose ndërfaqen web.
@@ -1185,10 +1202,23 @@ sq:
keywords:
one: "%{count} fjalëkyç"
other: "%{count} fjalëkyçe"
+ statuses:
+ one: "%{count} postim"
+ other: "%{count} postime"
+ statuses_long:
+ one: "%{count} postim individual i fshehur"
+ other: "%{count} postime individuale të fshehur"
title: Filtra
new:
save: Ruani filtër të ri
title: Shtoni filtër të ri
+ statuses:
+ back_to_filter: Mbrapsht te filtri
+ batch:
+ remove: Hiqe prej filtri
+ index:
+ hint: Ky filtër aplikohet për të përzgjedhur postime individuale, pavarësisht kriteresh të tjera. Që nga ndërfaqja web mund të shtoni më tepër postime te ky filtër.
+ title: Postime të filtruar
footer:
developers: Zhvillues
more: Më tepër…
@@ -1196,12 +1226,22 @@ sq:
trending_now: Prirjet e tashme
generic:
all: Krejt
+ all_items_on_page_selected_html:
+ one: Në këtë faqe është i përzgjedhur %{count} objekt.
+ other: Në këtë faqe janë përzgjedhur krejt %{count} objektet.
+ all_matching_items_selected_html:
+ one: Është përzgjedhur %{count} objekt me përkim me kërkimin tuaj.
+ other: Janë përzgjedhur krejt %{count} objektet me përkim me kërkimin tuaj.
changes_saved_msg: Ndryshimet u ruajtën me sukses!
copy: Kopjoje
delete: Fshije
+ deselect: Shpërzgjidhi krejt
none: Asnjë
order_by: Renditi sipas
save_changes: Ruaji ndryshimet
+ select_all_matching_items:
+ one: Përzgjidhni %{count} objekt me përkim me kërkimin tuaj.
+ other: Përzgjidhni krejt %{count} objektet me përkim me kërkimin tuaj.
today: sot
validation_errors:
one: Diçka s’është ende si duhet! Ju lutemi, shqyrtoni gabimin më poshtë
@@ -1310,17 +1350,6 @@ sq:
subject: "%{name} parashtroi një raportim"
sign_up:
subject: "%{name} u regjistrua"
- digest:
- action: Shihini krejt njoftimet
- body: Ja një përmbledhje e shkurtër e mesazheve që keni humbur që nga vizita juaj e fundit më %{since}
- mention: "%{name} ju ka përmendur te:"
- new_followers_summary:
- one: Veç kësaj, u bëtë me një ndjekës të ri, teksa s’ishit këtu! Ëhë!
- other: Veç kësaj, u bëtë me %{count} ndjekës të rinj, teksa s’ishit këtu! Shkëlqyeshëm!
- subject:
- one: "1 njoftim i ri që nga vizita juaj e fundit 🐘"
- other: "%{count} njoftime të reja që nga vizita juaj e fundit 🐘"
- title: Gjatë mungesës tuaj…
favourite:
body: 'Gjendja juaj u parapëlqye nga %{name}:'
subject: "%{name} parapëlqeu gjendjen tuaj"
@@ -1683,7 +1712,7 @@ sq:
Ky dokument licencohet sipas CC-BY-SA. Qe përditësuar së fundi më 26 maj 2022.
- title: "%{instance} Hizmet Şartları ve Gizlilik Politikası"
+ title: "%{instance} Gizlilik Politikası"
themes:
contrast: Mastodon (Yüksek karşıtlık)
default: Mastodon (Karanlık)
diff --git a/config/locales/tt.yml b/config/locales/tt.yml
index a520e4d2b..f762424e5 100644
--- a/config/locales/tt.yml
+++ b/config/locales/tt.yml
@@ -4,7 +4,6 @@ tt:
about_this: Хакында
api: API
contact_unavailable: Юк
- privacy_policy: Хосусыйлык сәясәте
unavailable_content_description:
domain: Сервер
user_count_after:
diff --git a/config/locales/uk.yml b/config/locales/uk.yml
index 708ce998e..6d411bf8d 100644
--- a/config/locales/uk.yml
+++ b/config/locales/uk.yml
@@ -26,7 +26,7 @@ uk:
learn_more: Дізнатися більше
logged_in_as_html: Зараз ви увійшли як %{username}.
logout_before_registering: Ви вже увійшли.
- privacy_policy: Політика приватності
+ privacy_policy: Політика конфіденційності
rules: Правила сервера
rules_html: 'Внизу наведено підсумок правил, яких ви повинні дотримуватися, якщо хочете мати обліковий запис на цьому сервері Mastodon:'
see_whats_happening: Погляньте, що відбувається
@@ -39,7 +39,6 @@ uk:
other: статуси
status_count_before: Опубліковано
tagline: Децентралізована соціальна мережа
- terms: Правила використання
unavailable_content: Недоступний вміст
unavailable_content_description:
domain: Сервер
@@ -243,17 +242,21 @@ uk:
approve_user: Затвердити користувачів
assigned_to_self_report: Призначити звіт
change_email_user: Змінити електронну пошту для користувача
+ change_role_user: Змінити роль користувача
confirm_user: Підтвердити користувача
create_account_warning: Створити попередження
create_announcement: Створити оголошення
+ create_canonical_email_block: Створити блок електронної пошти
create_custom_emoji: Створити користувацьке емодзі
create_domain_allow: Створити дозвіл на домен
create_domain_block: Створити блокування домену
create_email_domain_block: Створити блокування поштового домену
create_ip_block: Створити правило IP
create_unavailable_domain: Створити недоступний домен
+ create_user_role: Створити роль
demote_user: Понизити користувача
destroy_announcement: Видалити оголошення
+ destroy_canonical_email_block: Видалити блок електронної пошти
destroy_custom_emoji: Видалити користувацьке емодзі
destroy_domain_allow: Видалити дозвіл на домен
destroy_domain_block: Видалити блокування домену
@@ -262,6 +265,7 @@ uk:
destroy_ip_block: Видалити правило IP
destroy_status: Видалити пост
destroy_unavailable_domain: Видалити недоступний домен
+ destroy_user_role: Знищити роль
disable_2fa_user: Вимкнути 2FA
disable_custom_emoji: Вимкнути користувацькі емодзі
disable_sign_in_token_auth_user: Вимкнути автентифікацію за допомогою е-пошти для користувача
@@ -288,24 +292,30 @@ uk:
update_announcement: Оновити оголошення
update_custom_emoji: Оновити користувацькі емодзі
update_domain_block: Оновити блокування домену
+ update_ip_block: Оновити правило IP
update_status: Оновити статус
+ update_user_role: Оновити роль
actions:
approve_appeal_html: "%{name} затвердили звернення на оскарження рішення від %{target}"
approve_user_html: "%{name} схвалює реєстрацію від %{target}"
assigned_to_self_report_html: "%{name} створює скаргу %{target} на себе"
change_email_user_html: "%{name} змінює поштову адресу користувача %{target}"
+ change_role_user_html: "%{name} змінює роль %{target}"
confirm_user_html: "%{name} підтверджує стан поштової адреси користувача %{target}"
create_account_warning_html: "%{name} надсилає попередження до %{target}"
create_announcement_html: "%{name} створює нове оголошення %{target}"
+ create_canonical_email_block_html: "%{name} блокує електронну пошту з хешем %{target}"
create_custom_emoji_html: "%{name} завантажує нові емодзі %{target}"
create_domain_allow_html: "%{name} дозволяє федерацію з доменом %{target}"
create_domain_block_html: "%{name} блокує домен %{target}"
create_email_domain_block_html: "%{name} блокує домен електронної пошти %{target}"
create_ip_block_html: "%{name} створює правило для IP %{target}"
create_unavailable_domain_html: "%{name} зупиняє доставляння на домен %{target}"
+ create_user_role_html: "%{name} створює роль %{target}"
demote_user_html: "%{name} понижує користувача %{target}"
destroy_announcement_html: "%{name} видаляє оголошення %{target}"
- destroy_custom_emoji_html: "%{name} знищує емодзі %{target}"
+ destroy_canonical_email_block_html: "%{name} розблоковує електронну пошту з хешем %{target}"
+ destroy_custom_emoji_html: "%{name} видаляє емоджі %{target}"
destroy_domain_allow_html: "%{name} скасовує федерацію з доменом %{target}"
destroy_domain_block_html: "%{name} розблокує домен %{target}"
destroy_email_domain_block_html: "%{name} розблоковує домен електронної пошти %{target}"
@@ -313,6 +323,7 @@ uk:
destroy_ip_block_html: "%{name} видаляє правило для IP %{target}"
destroy_status_html: "%{name} видаляє статус %{target}"
destroy_unavailable_domain_html: "%{name} відновлює доставляння на домен %{target}"
+ destroy_user_role_html: "%{name} видаляє роль %{target}"
disable_2fa_user_html: "%{name} вимикає двоетапну перевірку для користувача %{target}"
disable_custom_emoji_html: "%{name} вимикає емодзі %{target}"
disable_sign_in_token_auth_user_html: "%{name} вимикає автентифікацію через е-пошту для %{target}"
@@ -339,8 +350,9 @@ uk:
update_announcement_html: "%{name} оновлює оголошення %{target}"
update_custom_emoji_html: "%{name} оновлює емодзі %{target}"
update_domain_block_html: "%{name} оновлює блокування домену для %{target}"
+ update_ip_block_html: "%{name} змінює правило для IP %{target}"
update_status_html: "%{name} змінює статус користувача %{target}"
- deleted_status: "(видалений статус)"
+ update_user_role_html: "%{name} змінює роль %{target}"
empty: Не знайдено жодного журналу.
filter_by_action: Фільтрувати за дією
filter_by_user: Фільтрувати за користувачем
@@ -485,6 +497,7 @@ uk:
resolve: Розв'язати домен
title: Нове блокування поштового домену
no_email_domain_block_selected: Жодні налаштування блокування доменів електронної пошти не було змінено, оскільки жоден з них не було обрано
+ resolved_dns_records_hint_html: Ім'я домену резолвиться в наступні домени MX, які в кінцевому рахунку відповідають за прийняття електронної пошти. Блокування домену MX заблокує реєстрацію з будь-якої e-mail адреси, яка використовує однаковий домен MX, навіть якщо доменне ім'я буде інакше. Будьте обережні, щоб не блокувати великих поштових провайдерів.
resolved_through_html: Розв'язано через %{domain}
title: Чорний список поштових доменів
follow_recommendations:
@@ -513,6 +526,7 @@ uk:
confirm_purge: Ви впевнені, що хочете видалити ці дані з цього домену?
content_policies:
comment: Внутрішня примітка
+ description_html: Ви можете визначити правила вмісту що буде застосовано до всіх облікових записів із цього домену та будь-якого з його піддоменів.
policies:
reject_media: Відхилити медіа
reject_reports: Відхилити скарги
@@ -617,9 +631,13 @@ uk:
action_log: Журнал подій
action_taken_by: Дія виконана
actions:
+ delete_description_html: Дописи, на які скаржилися будуть видалені, а попередження буде записано, щоб допомогти вам підвищити рівень майбутніх порушень того самого облікового запису.
+ mark_as_sensitive_description_html: Медіа у дописах, на які скаржилися будуть позначені делікатними, а попередження буде записано, щоб допомогти вам підвищити рівень майбутніх порушень того самого облікового запису.
other_description_html: Більше опцій керування поведінкою облікового запису і налаштування комунікації з обліковим записом, на який поскаржилися.
+ resolve_description_html: Не буде застосовано жодних дій проти облікового запису, на який скаржилися, не буде записано попередження, а скаргу буде закрито.
silence_description_html: Профіль буде видимий лише тим, хто вже стежить за ним або знайде його самостійно, сильно обмежуючи його знаходження. Можна потім скасувати.
suspend_description_html: Профіль і весь його вміст буде недоступним, поки його не буде видалено. Взаємодія з обліковим записом буде неможливою.
+ actions_description_html: Визначте, які дії слід вжити для розв'язання цієї скарги. Якщо ви оберете каральні дії проти зареєстрованого облікового запису, про них буде надіслано сповіщення електронним листом, крім випадків, коли вибрано категорію Спам.
add_to_report: Додати ще подробиць до скарги
are_you_sure: Ви впевнені?
assign_to_self: Призначити мені
@@ -803,10 +821,8 @@ uk:
desc_html: Відображається в бічній панелі та мета-тегах. Опишіть, що таке Mastodon і що робить цей сервер особливим, в одному абзаці.
title: Короткий опис сервера
site_terms:
- desc_html: |-
- Ви можене написати власну політику приватності, умови використанні та інші законні штуки
- Можете використовувати HTML теги
- title: Особливі умови використання
+ desc_html: Ви можете писати власну політику конфіденційності самостійно. Ви можете використовувати HTML-теги
+ title: Особлива політика конфіденційності
site_title: Назва сайту
thumbnail:
desc_html: Використовується для передпоказів через OpenGraph та API. Бажано розміром 1200х640 пікселів
@@ -816,8 +832,8 @@ uk:
title: Передпоказ фіду
title: Налаштування сайту
trendable_by_default:
- desc_html: Впливає на хештеги, які не були заборонені раніше
- title: Дозволити хештегам потрапляти в тренди без попереднього перегляду
+ desc_html: Конкретні популярні матеріали все одно можуть бути явно відхилені
+ title: Дозволити популярне без попереднього огляду
trends:
desc_html: Відображати розглянуті хештеґи, які популярні зараз
title: Популярні хештеги
@@ -871,6 +887,7 @@ uk:
links:
allow: Дозволити посилання
allow_provider: Дозволити публікатора
+ description_html: Це посилання, з яких наразі багаторазово поширюються записи, з яких Ваш сервер бачить пости. Це може допомогти вашим користувачам дізнатися, що відбувається в світі. Посилання не відображається публічно, поки ви не затверджуєте його публікацію. Ви також можете дозволити або відхилити окремі посилання.
disallow: Заборонити посилання
disallow_provider: Заборонити публікатора
shared_by_over_week:
@@ -884,14 +901,22 @@ uk:
pending_review: Очікує перевірки
preview_card_providers:
allowed: Посилання цього публікатора можуть бути популярними
+ description_html: Це домени, з яких часто передаються посилання на вашому сервері. Посилання не будуть публічно приходити, якщо домен посилання не буде затверджено. Ваше затвердження (або відхилення) поширюється на піддомени.
rejected: Посилання цього публікатора можуть не будуть популярними
title: Публікатори
rejected: Відхилено
statuses:
allow: Дозволити оприлюднення
allow_account: Дозволити автора
+ description_html: Це дописи, про які ваш сервер знає як такі, що в даний час є спільні і навіть ті, які зараз є дуже популярними. Це може допомогти вашим новим та старим користувачам, щоб знайти більше людей для слідування. Жоден запис не відображається публічно, поки ви не затверджуєте автора, і автор дозволяє іншим користувачам підписатися на це. Ви також можете дозволити або відхилити окремі повідомлення.
disallow: Заборонити допис
disallow_account: Заборонити автора
+ not_discoverable: Автор не вирішив бути видимим
+ shared_by:
+ few: Поділитись або додати в улюблені %{friendly_count} рази
+ many: Поділитись або додати в улюблені %{friendly_count} разів
+ one: Поділитись або додати в улюблені один раз
+ other: Поділитись або додати в улюблені %{friendly_count} рази
title: Популярні дописи
tags:
current_score: Поточний результат %{score}
@@ -901,6 +926,7 @@ uk:
tag_servers_dimension: Найуживаніші сервери
tag_servers_measure: різні сервери
tag_uses_measure: всього використань
+ description_html: Ці хештеґи, які бачить ваш сервер, в цей час з’являються у багатьох дописах. Це може допомогти вашим користувачам дізнатися про що люди наразі найбільше говорять. Жодні хештеґи публічно не показуються, доки ви їх не затвердите.
listable: Може бути запропоновано
not_listable: Не буде запропоновано
not_trendable: Не показуватиметься серед популярних
@@ -967,14 +993,18 @@ uk:
body_remote: Хтось з домену %{domain} поскаржився(-лася) на %{target}
subject: Нова скарга до %{instance} (#%{id})
new_trends:
+ body: 'Ці елементи потребують розгляду перед оприлюдненням:'
new_trending_links:
no_approved_links: На цей час немає схвалених популярних посилань.
+ requirements: 'Кожен з цих кандидатів може перевершити #%{rank} затвердженого популярного посилання, яке зараз на «%{lowest_link_title}» з рейтингом %{lowest_link_score}.'
title: Популярні посилання
new_trending_statuses:
no_approved_statuses: На цей час немає схвалених популярних дописів.
+ requirements: 'Кожен з цих кандидатів може перевершити #%{rank} затвердженого популярного допису, який зараз на %{lowest_status_url} з рейтингом %{lowest_status_score}.'
title: Популярні дописи
new_trending_tags:
no_approved_tags: На цей час немає схвалених популярних хештегів.
+ requirements: 'Кожен з цих кандидатів може перевершити #%{rank} затвердженого популярного хештеґу, який зараз на #%{lowest_tag_name} з рейтингом %{lowest_tag_score}.'
title: Популярні хештеги
subject: Нове популярне до розгляду на %{instance}
aliases:
@@ -1129,6 +1159,7 @@ uk:
approve_appeal: Схвалити апеляцію
associated_report: Пов'язана скарга
created_at: Застарілі
+ description_html: Це дії, виконані проти вашого облікового запису та попереджень, які були відправлені вам персоналом %{instance}.
recipient: Адресант
reject_appeal: Відхилити апеляцію
status: 'Допис #%{id}'
@@ -1195,6 +1226,8 @@ uk:
edit:
add_keyword: Додати ключове слово
keywords: Ключові слова
+ statuses: Окремі дописи
+ statuses_hint_html: Цей фільтр застосовується для вибору окремих дописів, незалежно від того, чи збігаються вони з ключовими словами нижче. Перегляд чи вилучення дописів з фільтра.
title: Редагувати фільтр
errors:
deprecated_api_multiple_keywords: Ці параметри не можна змінити з цього застосунку, тому що вони застосовуються до більш ніж одного ключового слова. Використовуйте новішу версію застосунку або вебінтерфейс.
@@ -1210,10 +1243,27 @@ uk:
many: "%{count} ключових слів"
one: "%{count} ключове слово"
other: "%{count} ключових слів"
+ statuses:
+ few: "%{count} дописи"
+ many: "%{count} дописів"
+ one: "%{count} допис"
+ other: "%{count} дописа"
+ statuses_long:
+ few: Сховано %{count} окремі дописи
+ many: Сховано %{count} окремих дописів
+ one: Сховано %{count} окремий допис
+ other: Сховано %{count} окремі дописи
title: Фільтри
new:
save: Зберегти новий фільтр
title: Додати фільтр
+ statuses:
+ back_to_filter: Назад до фільтру
+ batch:
+ remove: Вилучити з фільтра
+ index:
+ hint: Цей фільтр застосовується для вибору окремих дописів, незалежно від інших критеріїв. Ви можете додавати більше дописів до цього фільтра з вебінтерфейсу.
+ title: Відфільтровані дописи
footer:
developers: Розробникам
more: Більше…
@@ -1221,12 +1271,28 @@ uk:
trending_now: Актуальні
generic:
all: Усі
+ all_items_on_page_selected_html:
+ few: Усі %{count} елементи на цій сторінці вибрано.
+ many: Усі %{count} елементів на цій сторінці вибрано.
+ one: "%{count} елемент на цій сторінці вибрано."
+ other: "%{count} елементи на цій сторінці вибрано."
+ all_matching_items_selected_html:
+ few: Усі %{count} елементи, що збігаються з вашим пошуком вибрано.
+ many: Усі %{count} елементів, що збігаються з вашим пошуком вибрано.
+ one: "%{count} елемент, що збігається з вашим пошуком вибрано."
+ other: Усі %{count} елементи, що збігаються з вашим пошуком вибрано.
changes_saved_msg: Зміни успішно збережені!
copy: Копіювати
delete: Видалити
+ deselect: Скасувати вибір
none: Немає
order_by: Сортувати за
save_changes: Зберегти зміни
+ select_all_matching_items:
+ few: Вибрати всі %{count} елементи, що збігаються з вашим пошуком.
+ many: Вибрати всі %{count} елементів, що збігаються з вашим пошуком.
+ one: Вибрати %{count} елемент, що збігається з вашим пошуком.
+ other: Вибрати всі %{count} елементи, що збігаються з вашим пошуком.
today: сьогодні
validation_errors:
few: Щось досі не гаразд! Перегляньте %{count} повідомлень про помилки
@@ -1339,24 +1405,9 @@ uk:
subject: "%{name} подає скаргу"
sign_up:
subject: "%{name} приєднується"
- digest:
- action: Показати усі сповіщення
- body: Коротко про пропущене вами з Вашого останнього входу %{since}
- mention: "%{name} згадав(-ла) Вас в:"
- new_followers_summary:
- few: У Вас з'явилось %{count} нових підписники! Чудово!
- many: У Вас з'явилось %{count} нових підписників! Чудово!
- one: Також, у Вас з'явився новий підписник, коли ви були відсутні! Ура!
- other: Також, у Вас з'явилось %{count} нових підписників, поки ви були відсутні! Чудово!
- subject:
- few: "%{count} нові сповіщення з вашого останнього відвідування 🐘"
- many: "%{count} нових сповіщень з вашого останнього відвідування 🐘"
- one: "1 нове сповіщення з вашого останнього відвідування 🐘"
- other: "%{count} нових сповіщень з вашого останнього відвідування 🐘"
- title: Поки ви були відсутні...
favourite:
body: 'Ваш статус подобається %{name}:'
- subject: Користувачу %{name} сподобався ваш статус
+ subject: Ваш статус сподобався %{name}
title: Нове вподобання
follow:
body: "%{name} тепер підписаний(-а) на вас!"
@@ -1647,7 +1698,7 @@ uk:
tags:
does_not_match_previous_name: не збігається з попереднім ім'ям
terms:
- title: Умови використання та Політика приватності %{instance}
+ title: "%{instance} Політика конфіденційності"
themes:
contrast: Висока контрасність
default: Mastodon
diff --git a/config/locales/vi.yml b/config/locales/vi.yml
index b471cc153..0343ef867 100644
--- a/config/locales/vi.yml
+++ b/config/locales/vi.yml
@@ -5,7 +5,7 @@ vi:
about_mastodon_html: 'Mạng xã hội của tương lai: Không quảng cáo, không bán thông tin người dùng và phi tập trung! Làm chủ dữ liệu của bạn với Mastodon!'
about_this: Giới thiệu
active_count_after: hoạt động
- active_footnote: Người dùng hoạt động hàng tháng (MAU)
+ active_footnote: Người dùng hàng tháng (MAU)
administered_by: 'Quản trị viên:'
api: API
apps: Apps
@@ -36,7 +36,6 @@ vi:
other: tút
status_count_before: Nơi lưu giữ
tagline: Mạng xã hội liên hợp
- terms: Điều khoản dịch vụ
unavailable_content: Giới hạn chung
unavailable_content_description:
domain: Máy chủ
@@ -86,9 +85,9 @@ vi:
action: Thực hiện hành động
title: Áp đặt kiểm duyệt với %{acct}
account_moderation_notes:
- create: Thêm ghi chú
- created_msg: Thêm ghi chú kiểm duyệt thành công!
- destroyed_msg: Đã xóa ghi chú kiểm duyệt!
+ create: Thêm lưu ý
+ created_msg: Thêm lưu ý kiểm duyệt thành công!
+ destroyed_msg: Đã xóa lưu ý kiểm duyệt!
accounts:
add_email_domain_block: Chặn tên miền email
approve: Phê duyệt
@@ -228,17 +227,21 @@ vi:
approve_user: Chấp nhận người dùng
assigned_to_self_report: Tự xử lý báo cáo
change_email_user: Đổi email người dùng
+ change_role_user: Thay đổi vai trò
confirm_user: Xác minh người dùng
- create_account_warning: Nhắc nhở người dùng
+ create_account_warning: Cảnh cáo người dùng
create_announcement: Tạo thông báo mới
+ create_canonical_email_block: Tạo chặn tên miền email mới
create_custom_emoji: Tạo emoji
create_domain_allow: Cho phép máy chủ
create_domain_block: Chặn máy chủ
create_email_domain_block: Chặn tên miền email
create_ip_block: Tạo chặn IP mới
create_unavailable_domain: Máy chủ không khả dụng
+ create_user_role: Tạo vai trò
demote_user: Xóa vai trò
destroy_announcement: Xóa thông báo
+ destroy_canonical_email_block: Bỏ chặn tên miền email
destroy_custom_emoji: Xóa emoji
destroy_domain_allow: Bỏ cho phép máy chủ
destroy_domain_block: Bỏ chặn máy chủ
@@ -247,6 +250,7 @@ vi:
destroy_ip_block: Xóa IP đã chặn
destroy_status: Xóa tút
destroy_unavailable_domain: Xóa máy chủ không khả dụng
+ destroy_user_role: Xóa vai trò
disable_2fa_user: Vô hiệu hóa 2FA
disable_custom_emoji: Vô hiệu hóa emoji
disable_sign_in_token_auth_user: Vô hiệu hóa xác minh bằng email cho người dùng
@@ -273,23 +277,29 @@ vi:
update_announcement: Cập nhật thông báo
update_custom_emoji: Cập nhật emoji
update_domain_block: Cập nhật máy chủ chặn
+ update_ip_block: Cập nhật chặn IP
update_status: Cập nhật tút
+ update_user_role: Cập nhật vai trò
actions:
approve_appeal_html: "%{name} đã chấp nhận kháng cáo của %{target}"
approve_user_html: "%{name} đã chấp nhận đăng ký từ %{target}"
assigned_to_self_report_html: "%{name} tự xử lý báo cáo %{target}"
change_email_user_html: "%{name} đã thay đổi địa chỉ email của %{target}"
+ change_role_user_html: "%{name} đã thay đổi vai trò %{target}"
confirm_user_html: "%{name} đã xác minh địa chỉ email của %{target}"
- create_account_warning_html: "%{name} đã nhắc nhở %{target}"
+ create_account_warning_html: "%{name} đã cảnh cáo %{target}"
create_announcement_html: "%{name} tạo thông báo mới %{target}"
+ create_canonical_email_block_html: "%{name} chặn email với hàm băm %{target}"
create_custom_emoji_html: "%{name} đã tải lên biểu tượng cảm xúc mới %{target}"
create_domain_allow_html: "%{name} kích hoạt liên hợp với %{target}"
create_domain_block_html: "%{name} chặn máy chủ %{target}"
create_email_domain_block_html: "%{name} chặn tên miền email %{target}"
create_ip_block_html: "%{name} đã chặn IP %{target}"
create_unavailable_domain_html: "%{name} ngưng phân phối với máy chủ %{target}"
+ create_user_role_html: "%{name} đã tạo vai trò %{target}"
demote_user_html: "%{name} đã xóa vai trò của %{target}"
destroy_announcement_html: "%{name} xóa thông báo %{target}"
+ destroy_canonical_email_block_html: "%{name} bỏ chặn email với hàm băm %{target}"
destroy_custom_emoji_html: "%{name} đã xóa emoji %{target}"
destroy_domain_allow_html: "%{name} đã ngừng liên hợp với %{target}"
destroy_domain_block_html: "%{name} bỏ chặn máy chủ %{target}"
@@ -298,6 +308,7 @@ vi:
destroy_ip_block_html: "%{name} bỏ chặn IP %{target}"
destroy_status_html: "%{name} đã xóa tút của %{target}"
destroy_unavailable_domain_html: "%{name} tiếp tục phân phối với máy chủ %{target}"
+ destroy_user_role_html: "%{name} đã xóa vai trò %{target}"
disable_2fa_user_html: "%{name} đã vô hiệu hóa xác minh hai bước của %{target}"
disable_custom_emoji_html: "%{name} đã ẩn emoji %{target}"
disable_sign_in_token_auth_user_html: "%{name} vô hiệu hóa xác minh email của %{target}"
@@ -324,8 +335,9 @@ vi:
update_announcement_html: "%{name} cập nhật thông báo %{target}"
update_custom_emoji_html: "%{name} đã cập nhật emoji %{target}"
update_domain_block_html: "%{name} cập nhật chặn máy chủ %{target}"
+ update_ip_block_html: "%{name} cập nhật chặn IP %{target}"
update_status_html: "%{name} cập nhật tút của %{target}"
- deleted_status: "(tút đã xóa)"
+ update_user_role_html: "%{name} đã thay đổi vai trò %{target}"
empty: Không tìm thấy bản ghi.
filter_by_action: Theo hành động
filter_by_user: Theo người
@@ -572,8 +584,8 @@ vi:
status: Trạng thái
title: Mạng liên hợp
report_notes:
- created_msg: Đã thêm ghi chú kiểm duyệt!
- destroyed_msg: Đã xóa ghi chú kiểm duyệt!
+ created_msg: Đã thêm lưu ý kiểm duyệt!
+ destroyed_msg: Đã xóa lưu ý kiểm duyệt!
today_at: Hôm nay lúc %{time}
reports:
account:
@@ -582,13 +594,13 @@ vi:
action_log: Nhật ký kiểm duyệt
action_taken_by: Quyết định bởi
actions:
- delete_description_html: Những tút bị báo cáo sẽ được xóa và 1 lần cảnh cáo sẽ được ghi lại để giúp bạn lưu ý về tài khoản này trong tương lai.
- mark_as_sensitive_description_html: Media trong các tút bị báo cáo sẽ được đánh dấu là nhạy cảm và 1 lần cảnh cáo sẽ được ghi lại để giúp bạn nắm bắt nhanh những vi phạm của cùng một tài khoản.
- other_description_html: Những tùy chọn để kiểm soát tài khoản và giao tiếp với tài khoản bị báo cáo.
- resolve_description_html: Không có hành động nào áp dụng đối với tài khoản bị báo cáo, không có cảnh cáo, và báo cáo sẽ được đóng.
- silence_description_html: Trang hồ sơ sẽ chỉ hiển thị với những người đã theo dõi hoặc tìm kiếm thủ công, hạn chế tối đa tầm ảnh hưởng của nó. Có thể đổi lại bình thường sau.
- suspend_description_html: Trang hồ sơ và tất cả các nội dung sẽ không thể truy cập cho đến khi nó bị xóa hoàn toàn. Không thể tương tác với tài khoản. Đảo ngược trong vòng 30 ngày.
- actions_description_html: Hướng xử lý báo cáo này. Nếu áp đặt trừng phạt, một email thông báo sẽ được gửi cho họ, ngoại trừ Spam.
+ delete_description_html: Xóa các tút và ghi lại 1 lần cảnh cáo.
+ mark_as_sensitive_description_html: Đánh dấu nhạy cảm media trong các tút và ghi lại 1 lần cảnh cáo.
+ other_description_html: Tùy chọn cách kiểm soát và giao tiếp với tài khoản bị báo cáo.
+ resolve_description_html: Không áp dụng trừng phạt nào và đóng báo cáo.
+ silence_description_html: Chỉ hiển thị trang với những người đã theo dõi hoặc tìm kiếm thủ công.
+ suspend_description_html: Đóng băng hồ sơ và chặn truy cập tất cả các nội dung cho đến khi chúng bị xóa hoàn toàn. Đảo ngược trong vòng 30 ngày.
+ actions_description_html: Nếu áp đặt trừng phạt, một email thông báo sẽ được gửi cho người này, ngoại trừ Spam.
add_to_report: Bổ sung báo cáo
are_you_sure: Bạn có chắc không?
assign_to_self: Giao cho tôi
@@ -598,32 +610,32 @@ vi:
category_description_html: Lý do tài khoản hoặc nội dung này bị báo cáo sẽ được trích dẫn khi giao tiếp với họ
comment:
none: Không có mô tả
- comment_description_html: 'Để cung cấp thêm thông tin, %{name} cho biết:'
+ comment_description_html: "%{name} cho biết thêm:"
created_at: Báo cáo lúc
delete_and_resolve: Xóa tút
forwarded: Chuyển tiếp
forwarded_to: Chuyển tiếp tới %{domain}
- mark_as_resolved: Đã xử lý xong!
- mark_as_sensitive: Đánh dấu là nhạy cảm
+ mark_as_resolved: Xử lý xong
+ mark_as_sensitive: Đánh dấu nhạy cảm
mark_as_unresolved: Mở lại
no_one_assigned: Chưa có
notes:
- create: Ghi chú
+ create: Lưu ý
create_and_resolve: Xử lý
- create_and_unresolve: Mở lại kèm ghi chú mới
+ create_and_unresolve: Mở lại kèm lưu ý mới
delete: Xóa bỏ
placeholder: Mô tả vi phạm của người này, mức độ xử lý và những cập nhật liên quan khác...
- title: Ghi chú
- notes_description_html: Xem và để lại ghi chú cho các kiểm duyệt viên khác
+ title: Lưu ý
+ notes_description_html: Xem và để lại lưu ý cho các kiểm duyệt viên khác
quick_actions_description_html: 'Kiểm duyệt nhanh hoặc kéo xuống để xem nội dung bị báo cáo:'
remote_user_placeholder: người dùng ở %{instance}
reopen: Mở lại báo cáo
report: 'Báo cáo #%{id}'
reported_account: Tài khoản bị báo cáo
reported_by: Báo cáo bởi
- resolved: Đã xử lý xong
+ resolved: Đã xong
resolved_msg: Đã xử lý báo cáo xong!
- skip_to_actions: Kiểm duyệt ngay
+ skip_to_actions: Kiểm duyệt
status: Trạng thái
statuses: Nội dung bị báo cáo
statuses_description_html: Lý do tài khoản hoặc nội dung này bị báo cáo sẽ được trích dẫn khi giao tiếp với họ
@@ -632,7 +644,7 @@ vi:
unassign: Bỏ qua
unresolved: Chờ xử lý
updated_at: Cập nhật lúc
- view_profile: Xem trang hồ sơ
+ view_profile: Xem trang
roles:
add_new: Thêm vai trò
assigned_users:
@@ -766,8 +778,8 @@ vi:
desc_html: Hiển thị trong thanh bên và thẻ meta. Mô tả Mastodon là gì và điều gì làm cho máy chủ này trở nên đặc biệt trong một đoạn văn duy nhất.
title: Mô tả máy chủ ngắn
site_terms:
- desc_html: Bạn có thể viết điều khoản dịch vụ, quyền riêng tư hoặc các vấn đề pháp lý khác. Dùng thẻ HTML
- title: Điều khoản dịch vụ tùy chỉnh
+ desc_html: Bạn có thể tự soạn chính sách bảo mật của riêng bạn. Sử dụng HTML
+ title: Sửa chính sách bảo mật
site_title: Tên máy chủ
thumbnail:
desc_html: Bản xem trước thông qua OpenGraph và API. Khuyến nghị 1200x630px
@@ -777,8 +789,8 @@ vi:
title: Cho phép truy cập vào dòng thời gian công cộng không cần cho phép
title: Cài đặt trang web
trendable_by_default:
- desc_html: Ảnh hưởng đến các hashtag chưa được cho phép trước đây
- title: Cho phép hashtags theo xu hướng mà không cần xem xét trước
+ desc_html: Nội dung xu hướng cụ thể vẫn có thể bị cấm một cách rõ ràng
+ title: Cho phép xu hướng mà không cần xem xét trước
trends:
desc_html: Hiển thị công khai các hashtag được xem xét trước đây hiện đang là xu hướng
title: Hashtag xu hướng
@@ -884,8 +896,8 @@ vi:
add_new: Thêm mới
delete: Xóa bỏ
edit_preset: Sửa mẫu có sẵn
- empty: Bạn chưa thêm mẫu nhắc nhở nào cả.
- title: Quản lý mẫu nhắc nhở
+ empty: Bạn chưa thêm mẫu cảnh cáo nào cả.
+ title: Quản lý mẫu cảnh cáo
webhooks:
add_new: Thêm endpoint
delete: Xóa bỏ
@@ -915,7 +927,7 @@ vi:
sensitive: đánh dấu tài khoản của họ là nhạy cảm
silence: hạn chế tài khoản của họ
suspend: vô hiệu hóa tài khoản của họ
- body: "%{target} đã khiếu nại quyết định kiểm duyệt từ %{action_taken_by} vào %{date}, vì %{type}. Họ cho biết:"
+ body: "%{target} đã khiếu nại quyết định kiểm duyệt bởi %{action_taken_by} vào %{date}, vì %{type}. Họ cho biết:"
next_steps: Bạn có thể chấp nhận kháng cáo để hủy bỏ kiểm duyệt, hoặc bỏ qua.
subject: "%{username} đang khiếu nại quyết định kiểm duyệt trên %{instance}"
new_pending_account:
@@ -1102,7 +1114,7 @@ vi:
delete_statuses: Xóa tút
disable: Đóng băng tài khoản
mark_statuses_as_sensitive: Đánh dấu tút là nhạy cảm
- none: Nhắc nhở
+ none: Cảnh cáo
sensitive: Đánh dấu tài khoản là nhạy cảm
silence: Hạn chế tài khoản
suspend: Vô hiệu hóa tài khoản
@@ -1159,6 +1171,8 @@ vi:
edit:
add_keyword: Thêm từ khoá
keywords: Từ khóa
+ statuses: Những tút riêng lẻ
+ statuses_hint_html: Bộ lọc này áp dụng cho các tút riêng lẻ được chọn bất kể chúng có khớp với các từ khóa bên dưới hay không. Xem lại hoặc xóa các tút từ bộ lọc.
title: Chỉnh sửa bộ lọc
errors:
deprecated_api_multiple_keywords: Không thể thay đổi các tham số này từ ứng dụng này vì chúng áp dụng cho nhiều hơn một từ khóa bộ lọc. Sử dụng ứng dụng mới hơn hoặc giao diện web.
@@ -1171,10 +1185,21 @@ vi:
expires_on: Hết hạn vào %{date}
keywords:
other: "%{count} từ khóa"
+ statuses:
+ other: "%{count} tút"
+ statuses_long:
+ other: "%{count} tút riêng lẻ đã ẩn"
title: Bộ lọc
new:
save: Lưu thành bộ lọc mới
title: Thêm bộ lọc mới
+ statuses:
+ back_to_filter: Quay về bộ lọc
+ batch:
+ remove: Xóa khỏi bộ lọc
+ index:
+ hint: Bộ lọc này áp dụng để chọn các tút riêng lẻ bất kể các tiêu chí khác. Bạn có thể thêm các tút khác vào bộ lọc này từ giao diện web.
+ title: Những tút đã lọc
footer:
developers: Phát triển
more: Nhiều hơn
@@ -1182,12 +1207,19 @@ vi:
trending_now: Xu hướng
generic:
all: Tất cả
+ all_items_on_page_selected_html:
+ other: Toàn bộ %{count} mục trong trang này đã được chọn.
+ all_matching_items_selected_html:
+ other: Toàn bộ %{count} mục trùng khớp với tìm kiếm đã được chọn.
changes_saved_msg: Đã lưu thay đổi!
copy: Sao chép
delete: Xóa
+ deselect: Bỏ chọn tất cả
none: Trống
order_by: Sắp xếp
save_changes: Lưu thay đổi
+ select_all_matching_items:
+ other: Chọn tất cả%{count} mục trùng hợp với tìm kiếm của bạn.
today: hôm nay
validation_errors:
other: Đã có %{count} lỗi xảy ra! Xem chi tiết bên dưới
@@ -1294,15 +1326,6 @@ vi:
subject: "%{name} đã gửi báo cáo"
sign_up:
subject: "%{name} đã được đăng ký"
- digest:
- action: Xem toàn bộ thông báo
- body: Dưới đây là những tin nhắn bạn đã bỏ lỡ kể từ lần truy cập trước vào %{since}
- mention: "%{name} nhắc đến bạn trong:"
- new_followers_summary:
- other: Ngoài ra, bạn đã có %{count} người theo dõi mới trong khi đi chơi! Ngạc nhiên chưa!
- subject:
- other: "%{count} thông báo mới kể từ lần đăng nhập cuối 🐘"
- title: Khi bạn offline...
favourite:
body: Tút của bạn vừa được thích bởi %{name}
subject: "%{name} vừa thích tút của bạn"
@@ -1625,7 +1648,7 @@ vi:
Nếu có thay đổi chính sách bảo mật, chúng tôi sẽ đăng những thay đổi đó ở mục này.
Tài liệu này phát hành dưới giấy phép CC-BY-SA và được cập nhật lần cuối vào ngày 26 tháng 5 năm 2022.