Merge remote-tracking branch 'origin/develop' into types-react

This commit is contained in:
Alex Gleason 2023-01-13 09:56:20 -06:00
commit edfece4ac0
No known key found for this signature in database
GPG Key ID: 7211D1F99744FBB7
82 changed files with 377 additions and 1750 deletions

View File

@ -15,6 +15,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
### Changed
- Posts: letterbox images to 19:6 again.
- Status Info: moved context (repost, pinned) to improve UX.
- Posts: remove file icon from empty link previews.
### Fixed
- Layout: use accent color for "floating action button" (mobile compose button).
@ -29,6 +30,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
- Modals: close modal when navigating to a different page.
- Modals: fix "View context" button in media modal.
- Posts: let unauthenticated users to translate posts if allowed by backend.
- Chats: fix jumpy scrollbar.
## [3.0.0] - 2022-12-25

View File

@ -107,7 +107,10 @@ const updateNotificationsQueue = (notification: APIEntity, intlMessages: Record<
// Desktop notifications
try {
if (showAlert && !filtered) {
// eslint-disable-next-line compat/compat
const isNotificationsEnabled = window.Notification?.permission === 'granted';
if (showAlert && !filtered && isNotificationsEnabled) {
const title = new IntlMessageFormat(intlMessages[`notification.${notification.type}`], intlLocale).format({ name: notification.account.display_name.length > 0 ? notification.account.display_name : notification.account.username });
const body = (notification.status && notification.status.spoiler_text.length > 0) ? notification.status.spoiler_text : unescapeHTML(notification.status ? notification.status.content : '');

View File

@ -1,5 +1,5 @@
import classNames from 'clsx';
import React, { useState, useRef, useEffect, useMemo } from 'react';
import React, { useState, useRef, useLayoutEffect, useMemo } from 'react';
import { FormattedMessage } from 'react-intl';
import { useHistory } from 'react-router-dom';
@ -119,7 +119,7 @@ const StatusContent: React.FC<IStatusContent> = ({ status, onClick, collapsable
}
};
useEffect(() => {
useLayoutEffect(() => {
maybeSetCollapsed();
maybeSetOnlyEmoji();
updateStatusLinks();

View File

@ -29,7 +29,7 @@ const FormGroup: React.FC<IFormGroup> = (props) => {
if (React.isValidElement(inputChildren[0])) {
firstChild = React.cloneElement(
inputChildren[0],
{ id: formFieldId, hasError },
{ id: formFieldId },
);
}
const isCheckboxFormGroup = firstChild?.type === Checkbox;

View File

@ -33,8 +33,6 @@ interface IInput extends Pick<React.InputHTMLAttributes<HTMLInputElement>, 'maxL
value?: string | number,
/** Change event handler for the input. */
onChange?: (event: React.ChangeEvent<HTMLInputElement>) => void,
/** Whether to display the input in red. */
hasError?: boolean,
/** An element to display as prefix to input. Cannot be used with icon. */
prepend?: React.ReactElement,
/** An element to display as suffix to input. Cannot be used with password type. */
@ -48,7 +46,7 @@ const Input = React.forwardRef<HTMLInputElement, IInput>(
(props, ref) => {
const intl = useIntl();
const { type = 'text', icon, className, outerClassName, hasError, append, prepend, theme = 'normal', ...filteredProps } = props;
const { type = 'text', icon, className, outerClassName, append, prepend, theme = 'normal', ...filteredProps } = props;
const [revealed, setRevealed] = React.useState(false);
@ -91,7 +89,6 @@ const Input = React.forwardRef<HTMLInputElement, IInput>(
'rounded-md bg-white dark:bg-gray-900 border-gray-400 dark:border-gray-800': theme === 'normal',
'rounded-full bg-gray-200 border-gray-200 dark:bg-gray-800 dark:border-gray-800 focus:bg-white': theme === 'search',
'pr-7 rtl:pl-7 rtl:pr-3': isPassword || append,
'text-red-600 border-red-600': hasError,
'pl-8': typeof icon !== 'undefined',
'pl-16': typeof prepend !== 'undefined',
}, className)}

View File

@ -1,4 +1,4 @@
import React, { useEffect, useState } from 'react';
import React, { useEffect, useLayoutEffect, useRef, useState } from 'react';
import { FormattedMessage } from 'react-intl';
import { useParams } from 'react-router-dom';
@ -66,10 +66,7 @@ const AccountGallery = () => {
const hasMore = useAppSelector((state) => state.timelines.get(`account:${accountId}:media`)?.hasMore);
const [width, setWidth] = useState(323);
const handleRef = (c: HTMLDivElement) => {
if (c) setWidth(c.offsetWidth);
};
const node = useRef<HTMLDivElement>(null);
const handleScrollToBottom = () => {
if (hasMore) {
@ -99,6 +96,12 @@ const AccountGallery = () => {
}
};
useLayoutEffect(() => {
if (node.current) {
setWidth(node.current.offsetWidth);
}
}, [node.current]);
useEffect(() => {
if (accountId && accountId !== -1) {
dispatch(fetchAccount(accountId));
@ -140,7 +143,7 @@ const AccountGallery = () => {
return (
<Column label={`@${accountUsername}`} transparent withHeader={false}>
<div role='feed' className='account-gallery__container' ref={handleRef}>
<div role='feed' className='account-gallery__container' ref={node}>
{attachments.map((attachment, index) => attachment === null ? (
<LoadMoreMedia key={'more:' + attachments.get(index + 1)?.id} maxId={index > 0 ? (attachments.get(index - 1)?.id || null) : null} onLoadMore={handleLoadMore} />
) : (

View File

@ -239,7 +239,6 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
pattern='^[a-zA-Z\d_-]+'
onChange={onUsernameChange}
value={params.get('username', '')}
hasError={usernameUnavailable}
required
/>
</FormGroup>

View File

@ -66,6 +66,21 @@ const List: Components['List'] = React.forwardRef((props, ref) => {
return <div ref={ref} {...rest} className='mb-2' />;
});
const Scroller: Components['Scroller'] = React.forwardRef((props, ref) => {
const { style, context, ...rest } = props;
return (
<div
{...rest}
ref={ref}
style={{
...style,
scrollbarGutter: 'stable',
}}
/>
);
});
interface IChatMessageList {
/** Chat the messages are being rendered from. */
chat: IChat,
@ -472,6 +487,7 @@ const ChatMessageList: React.FC<IChatMessageList> = ({ chat }) => {
}}
components={{
List,
Scroller,
Header: () => {
if (hasNextPage || isFetchingNextPage) {
return <Spinner withText={false} />;

View File

@ -238,7 +238,7 @@ const ChatPageMain = () => {
<div className='h-full overflow-hidden'>
<Chat
className='h-full overflow-hidden'
className='h-full'
chat={chat}
inputRef={inputRef}
/>

View File

@ -39,6 +39,7 @@ const messages = defineMessages({
customCssLabel: { id: 'soapbox_config.custom_css.meta_fields.url_placeholder', defaultMessage: 'URL' },
rawJSONLabel: { id: 'soapbox_config.raw_json_label', defaultMessage: 'Advanced: Edit raw JSON data' },
rawJSONHint: { id: 'soapbox_config.raw_json_hint', defaultMessage: 'Edit the settings data directly. Changes made directly to the JSON file will override the form fields above. Click "Save" to apply your changes.' },
rawJSONInvalid: { id: 'soapbox_config.raw_json_invalid', defaultMessage: 'is invalid' },
verifiedCanEditNameLabel: { id: 'soapbox_config.verified_can_edit_name_label', defaultMessage: 'Allow verified users to edit their own display name.' },
displayFqnLabel: { id: 'soapbox_config.display_fqn_label', defaultMessage: 'Display domain (eg @user@domain) for local accounts.' },
greentextLabel: { id: 'soapbox_config.greentext_label', defaultMessage: 'Enable greentext support' },
@ -394,11 +395,13 @@ const SoapboxConfig: React.FC = () => {
expanded={jsonEditorExpanded}
onToggle={toggleJSONEditor}
>
<FormGroup hintText={intl.formatMessage(messages.rawJSONHint)}>
<FormGroup
hintText={intl.formatMessage(messages.rawJSONHint)}
errors={jsonValid ? undefined : [intl.formatMessage(messages.rawJSONInvalid)]}
>
<Textarea
value={rawJSON}
onChange={handleEditJSON}
hasError={!jsonValid}
isCodeEditor
rows={12}
/>

View File

@ -153,7 +153,7 @@ const Card: React.FC<ICard> = ({
</Stack>
);
let embed: React.ReactNode = '';
let embed: React.ReactNode = null;
const canvas = (
<Blurhash
@ -240,12 +240,6 @@ const Card: React.FC<ICard> = ({
{thumbnail}
</div>
);
} else {
embed = (
<div className='status-card__image status-card__image--empty'>
<Icon src={require('@tabler/icons/file-text.svg')} />
</div>
);
}
return (

View File

@ -76,7 +76,7 @@ const LinkFooter: React.FC = (): JSX.Element => {
defaultMessage='{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).'
values={{
code_name: sourceCode.displayName,
code_link: <Text theme='subtle'><a className='underline' href={sourceCode.url} rel='noopener' target='_blank'>{sourceCode.repository}</a></Text>,
code_link: <Text theme='subtle' tag='span'><a className='underline' href={sourceCode.url} rel='noopener' target='_blank'>{sourceCode.repository}</a></Text>,
code_version: sourceCode.version,
}}
/>

View File

@ -26,10 +26,10 @@ const UserPanel: React.FC<IUserPanel> = ({ accountId, action, badges, domain })
const fqn = useAppSelector((state) => displayFqn(state));
if (!account) return null;
const displayNameHtml = { __html: account.get('display_name_html') };
const acct = !account.get('acct').includes('@') && domain ? `${account.get('acct')}@${domain}` : account.get('acct');
const header = account.get('header');
const verified = account.get('verified');
const displayNameHtml = { __html: account.display_name_html };
const acct = !account.acct.includes('@') && domain ? `${account.acct}@${domain}` : account.acct;
const header = account.header;
const verified = account.verified;
return (
<div className='relative'>
@ -43,11 +43,11 @@ const UserPanel: React.FC<IUserPanel> = ({ accountId, action, badges, domain })
<HStack justifyContent='between'>
<Link
to={`/@${account.get('acct')}`}
to={`/@${account.acct}`}
title={acct}
className='-mt-12 block'
>
<Avatar src={account.avatar} className='h-20 w-20 bg-gray-50 ring-2 ring-white overflow-hidden' />
<Avatar src={account.avatar} size={80} className='h-20 w-20 bg-gray-50 ring-2 ring-white overflow-hidden' />
</Link>
{action && (
@ -57,7 +57,7 @@ const UserPanel: React.FC<IUserPanel> = ({ accountId, action, badges, domain })
</Stack>
<Stack>
<Link to={`/@${account.get('acct')}`}>
<Link to={`/@${account.acct}`}>
<HStack space={1} alignItems='center'>
<Text size='lg' weight='bold' dangerouslySetInnerHTML={displayNameHtml} />
@ -77,11 +77,11 @@ const UserPanel: React.FC<IUserPanel> = ({ accountId, action, badges, domain })
</Stack>
<HStack alignItems='center' space={3}>
{account.get('followers_count') >= 0 && (
<Link to={`/@${account.get('acct')}/followers`} title={intl.formatNumber(account.get('followers_count'))}>
{account.followers_count >= 0 && (
<Link to={`/@${account.acct}/followers`} title={intl.formatNumber(account.followers_count)}>
<HStack alignItems='center' space={1}>
<Text theme='primary' weight='bold' size='sm'>
{shortNumberFormat(account.get('followers_count'))}
{shortNumberFormat(account.followers_count)}
</Text>
<Text weight='bold' size='sm'>
<FormattedMessage id='account.followers' defaultMessage='Followers' />
@ -90,11 +90,11 @@ const UserPanel: React.FC<IUserPanel> = ({ accountId, action, badges, domain })
</Link>
)}
{account.get('following_count') >= 0 && (
<Link to={`/@${account.get('acct')}/following`} title={intl.formatNumber(account.get('following_count'))}>
{account.following_count >= 0 && (
<Link to={`/@${account.acct}/following`} title={intl.formatNumber(account.following_count)}>
<HStack alignItems='center' space={1}>
<Text theme='primary' weight='bold' size='sm'>
{shortNumberFormat(account.get('following_count'))}
{shortNumberFormat(account.following_count)}
</Text>
<Text weight='bold' size='sm'>
<FormattedMessage id='account.follows' defaultMessage='Follows' />

View File

@ -480,7 +480,7 @@ const UI: React.FC<IUI> = ({ children }) => {
navigator.serviceWorker.addEventListener('message', handleServiceWorkerPostMessage);
}
if (typeof window.Notification !== 'undefined' && Notification.permission === 'default') {
if (window.Notification?.permission === 'default') {
window.setTimeout(() => Notification.requestPermission(), 120 * 1000);
}

View File

@ -41,7 +41,11 @@ describe('<Registration />', () => {
describe('with invalid data', () => {
it('handles 422 errors', async() => {
__stub(mock => {
mock.onPost('/api/v1/pepe/accounts').reply(422, {});
mock.onPost('/api/v1/pepe/accounts').reply(
422, {
error: 'user_taken',
},
);
});
render(<Registration />);
@ -55,6 +59,28 @@ describe('<Registration />', () => {
});
});
it('handles 422 errors with messages', async() => {
__stub(mock => {
mock.onPost('/api/v1/pepe/accounts').reply(
422, {
error: 'user_vip',
message: 'This username is unavailable.',
},
);
});
render(<Registration />);
await waitFor(() => {
fireEvent.submit(screen.getByTestId('button'), { preventDefault: () => {} });
});
await waitFor(() => {
expect(screen.getByTestId('toast')).toHaveTextContent(/this username is unavailable/i);
});
});
it('handles generic errors', async() => {
__stub(mock => {
mock.onPost('/api/v1/pepe/accounts').reply(500, {});

View File

@ -58,9 +58,11 @@ const Registration = () => {
intl.formatMessage(messages.success, { siteTitle: instance.title }),
);
})
.catch((error: AxiosError) => {
if (error?.response?.status === 422) {
toast.error(intl.formatMessage(messages.usernameTaken));
.catch((errorResponse: AxiosError<{ error: string, message: string }>) => {
const error = errorResponse.response?.data?.error;
if (error) {
toast.error(errorResponse.response?.data?.message || intl.formatMessage(messages.usernameTaken));
} else {
toast.error(intl.formatMessage(messages.error));
}

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "الدعم",
"alert.unexpected.message": "حدث خطأ ما.",
"alert.unexpected.return_home": "العودة للصفحة الرئيسة",
"alert.unexpected.title": "المعذرة!",
"aliases.account.add": "إنشاء اسم مستعار",
"aliases.account_label": "الحساب القديم:",
"aliases.aliases_list_delete": "إلغاء ربط الاسم المستعار",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "حدث خطأ في أثناء تحميل الصفحة.",
"bundle_modal_error.retry": "إعادة المحاولة",
"card.back.label": "العودة",
"chat_box.actions.send": "إرسال",
"chat_box.input.placeholder": "إرسال رسالة…",
"chat_panels.main_window.empty": "لا توجد رسائل، لبدء المحادثات زُر المِلف الشخصي لمستخدم ما.",
"chat_panels.main_window.title": "المحادثات",
"chat_window.close": "إغلاق المحادثة",
"chats.actions.delete": "حذف الرسالة",
"chats.actions.more": "المزيد",
"chats.actions.report": "الإبلاغ عن المستخدم",
"chats.attachment": "مُرفق",
"chats.attachment_image": "صورة",
"chats.audio_toggle_off": "الإشعارات الصوتية غير مُفعّلة",
"chats.audio_toggle_on": "الإشعارات الصوتية مُفعّلة",
"chats.dividers.today": "اليوم",
"chats.search_placeholder": "بَدْء دردشة مع…",
"column.admin.awaiting_approval": "في انتظار الموافقة",
@ -270,13 +260,11 @@
"column.public": "الاتحاد الاجتماعي",
"column.reactions": "تفاعلات",
"column.reblogs": "إعادة النشر",
"column.remote": "الاتحاد الاجتماعي",
"column.scheduled_statuses": "منشورات مُجدولة",
"column.search": "البحث",
"column.settings_store": "مخزن الإعدادات",
"column.soapbox_config": "تهيئة بسّام",
"column.test": "تجربة الخط الزمني",
"column_back_button.label": "الرجوع",
"column_forbidden.body": "ليست لديك الصلاحيات للدخول إلى هذه الصفحة.",
"column_forbidden.title": "محظور",
"common.cancel": "إلغاء",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "إلغاء جدولة المنشور",
"confirmations.scheduled_status_delete.message": "هل تود حقا حذف هذا المنشور المجدول",
"confirmations.unfollow.confirm": "إلغاء المتابعة",
"confirmations.unfollow.heading": "إلغاء متابعة {name}",
"confirmations.unfollow.message": "هل تود حقًّا إلغاء متابعة {name}؟",
"crypto_donate.explanation_box.message": "{siteTitle} يقبل العملات الرقمية . بإمكانك التبرع عبر أي من هذه العناوين في الأسفل . شكرا لدعمك!",
"crypto_donate.explanation_box.title": "يتم إرسال العملات الرقمية",
"crypto_donate_panel.actions.view": "انقر لإظهار {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "اخف الوسائط المصنفة بحساس",
"preferences.fields.display_media.hide_all": "اخف جميع الوسائط",
"preferences.fields.display_media.show_all": "اظهر جميع الوسائط",
"preferences.fields.dyslexic_font_label": "وضع عسر القراءة",
"preferences.fields.expand_spoilers_label": "توسيع المنشورات المعلّمة بتحذير دائمًا",
"preferences.fields.language_label": "لغة الواجهة",
"preferences.fields.media_display_label": "عرض الوسائط",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "إظهار الروابط في المنشورات من خلال وضع خط تحت الرابط",
"preferences.fields.unfollow_modal_label": "أظهار إشعار لتأكيد إلغاء المتابعة قبل التنفيذ",
"preferences.hints.demetricator": "تقليل قلق التواصل الاجتماعي من خلال إخفاء جميع الأرقام في المنصّة.",
"preferences.hints.feed": "في الخط الزمني الخاص بك",
"preferences.notifications.advanced": "عرض جميع تصنيفات الإشعارات",
"preferences.options.content_type_markdown": "ماركداون",
"preferences.options.content_type_plaintext": "نص عادي",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "لقد أرسلنا لك رمزًا مكونًا من 6 أرقام عبر رسالة نصية قصيرة. رجاءً أدخله في الأسفل.",
"sms_verification.sent.header": "تأكيد الرمز",
"sms_verification.success": "تم إرسال رمز التحقق إلى رقم هاتفك.",
"toast.view": "عرض",
"soapbox_config.authenticated_profile_hint": "على المستخدمين أن يُسجلوا دخولهم كي يتمكنوا من عرض الردود والوسائط على الحسابات الشخصية للمستخدمين.",
"soapbox_config.authenticated_profile_label": "حسابات شخصية تتطلب تسجيل الدخول لتصفحها",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "حاشية حقوق الطبع والنشر",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "عرض اسم النطاق للحسابات المحلية (مثال zaki@instance)",
"soapbox_config.feed_injection_hint": "حقن الخط الزمني بمحتوى إضافي مثل حسابات مقترحة.",
"soapbox_config.feed_injection_label": "حقن الخط الزمني",
"soapbox_config.fields.accent_color_label": "لون التمييز",
"soapbox_config.fields.brand_color_label": "لون العلامة التجارية",
"soapbox_config.fields.crypto_addresses_label": "عناوين العملات الافتراضية",
"soapbox_config.fields.home_footer_fields_label": "العناصر في حاشية الصفحة الرئيسية",
"soapbox_config.fields.logo_label": "الشعار",
@ -1139,7 +1120,6 @@
"sw.update_text": "هناك تحديث متوفر",
"sw.url": "رابط الإسكربت",
"tabs_bar.all": "الكل",
"tabs_bar.chats": "المحادثات",
"tabs_bar.dashboard": "لوحة التحكم",
"tabs_bar.fediverse": "الكون الفيدرالي الإجتماعي",
"tabs_bar.home": "الرئيسية",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# دقيقة} other {# دقائق}} متبقية",
"time_remaining.moments": "لحظات متبقية",
"time_remaining.seconds": "{number, plural, one {# ثانية} other {# ثوانٍ}} متبقية",
"toast.view": "عرض",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} آخرون {people}} يتحدثون",
"trends.title": "الشائع",
"trendsPanel.viewAll": "إظهار الكل",
"ui.beforeunload": "محتوى المسودة سيضيع اذا خرجت",
"unauthorized_modal.text": "يجب عليك تسجيل الدخول لتتمكن من القيام بذلك.",
"unauthorized_modal.title": "التسجيل في {site_title}",
"upload_area.title": "اسحب ملف وافلته لتحميله",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Asocedió un fallu inesperáu.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "¡Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Llinia temporal federada",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "¿De xuru que quies dexar de siguir a {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Aniciu",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "El borrador va perdese si coles de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Публичен канал",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Начало",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "অপ্রত্যাশিত একটি সমস্যা হয়েছে।",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "ওহো!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "এই অংশটি দেখাতে যেয়ে কোনো সমস্যা হয়েছে।",
"bundle_modal_error.retry": "আবার চেষ্টা করুন",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "যুক্ত সময়রেখা",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "পেছনে",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "অনুসরণ করা বাতিল করতে",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "আপনি কি নিশ্চিত {name} কে আর অনুসরণ করতে চান না ?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "বাড়ি",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} বাকি আছে",
"time_remaining.moments": "সময় বাকি আছে",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} বাকি আছে",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} কথা বলছে",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "যে পর্যন্ত এটা লেখা হয়েছে, Soapbox থেকে চলে গেলে এটা মুছে যাবে।",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "টেনে এখানে ছেড়ে দিলে এখানে যুক্ত করা যাবে",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ur fazi dic'hortozet zo degouezhet.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "C'hem !",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Klask endro",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "S'ha produït un error inesperat.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Vaja!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "S'ha produït un error en carregar aquest component.",
"bundle_modal_error.retry": "Torna-ho a provar",
"card.back.label": "Back",
"chat_box.actions.send": "Envia",
"chat_box.input.placeholder": "Envia un missatge…",
"chat_panels.main_window.empty": "Cap xat trobat. Per arrencar un xat, visita el perfil d'un usuari.",
"chat_panels.main_window.title": "Xats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Elimina missatge",
"chats.actions.more": "Més",
"chats.actions.report": "Denunciar usuari",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Notificació amb so desactivada",
"chats.audio_toggle_on": "Notificació amb so activada",
"chats.dividers.today": "Avui",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Esperant aprovació",
@ -270,13 +260,11 @@
"column.public": "Línia de temps federada",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Línia de temps federada",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Configuració de Soapbox",
"column.test": "Test timeline",
"column_back_button.label": "Enrere",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Deixa de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Estàs segur que vols deixar de seguir {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Amaga les imatges marcades com a sensibles",
"preferences.fields.display_media.hide_all": "Oculta sempre les imatges",
"preferences.fields.display_media.show_all": "Mostra sempre les imatges",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Expandeix sempre els missatges marcats amb avisos de contingut",
"preferences.fields.language_label": "Llengua",
"preferences.fields.media_display_label": "Visualització multimèdia",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Peu de pàgina dels drets d'autor",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Mostra el domini (eg @user@domain) per als comptes locals.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Color de la marca",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Elements de peu de pàgina d'inici",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Xats",
"tabs_bar.dashboard": "Tauler",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inici",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minut} other {# minuts}} restants",
"time_remaining.moments": "Moments restants",
"time_remaining.seconds": "{number, plural, one {# segon} other {# segons}} restants",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {persones}} parlant-hi",
"trends.title": "Tendències",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "El teu esborrany es perdrà si surts de Soapbox.",
"unauthorized_modal.text": "Heu d'iniciar sessió per fer això.",
"unauthorized_modal.title": "Registrar-se a {site_title}",
"upload_area.title": "Arrossega i deixa anar per a carregar",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Un prublemu inaspettatu hè accadutu.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Uups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "C'hè statu un prublemu caricandu st'elementu.",
"bundle_modal_error.retry": "Pruvà torna",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Linea pubblica glubale",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Ritornu",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Disabbunassi",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Site sicuru·a ch'ùn vulete più siguità @{name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Accolta",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuta ferma} other {# minute fermanu}} left",
"time_remaining.moments": "Ci fermanu qualchi mumentu",
"time_remaining.seconds": "{number, plural, one {# siconda ferma} other {# siconde fermanu}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} parlanu",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "A bruttacopia sarà persa s'ellu hè chjosu Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop per caricà un fugliale",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Došlo k neočekávané chybě.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Jejda!",
"aliases.account.add": "Vytvořit alias",
"aliases.account_label": "Starý účet:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Při načítání tohoto komponentu se něco pokazilo.",
"bundle_modal_error.retry": "Zkusit znovu",
"card.back.label": "Back",
"chat_box.actions.send": "Poslat",
"chat_box.input.placeholder": "Poslat zprávu…",
"chat_panels.main_window.empty": "Žádné chaty nenalezeny. Chat můžete začít na něčím profilu.",
"chat_panels.main_window.title": "Chaty",
"chat_window.close": "Close chat",
"chats.actions.delete": "Odstranit zprávu",
"chats.actions.more": "Více",
"chats.actions.report": "Nahlásit uživatele",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio upozornění vypnuté",
"chats.audio_toggle_on": "Audio upozornění zapnoté",
"chats.dividers.today": "Dnes",
"chats.search_placeholder": "Chatovat s…",
"column.admin.awaiting_approval": "Čeká na schválení",
@ -270,13 +260,11 @@
"column.public": "Federovaná časová osa",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox nastavení",
"column.test": "Test timeline",
"column_back_button.label": "Zpět",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Zrušit",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Zrušit naplánovaný příspěvek",
"confirmations.scheduled_status_delete.message": "Určitě chcete tento naplánovaný příspěvěk zrušit?",
"confirmations.unfollow.confirm": "Přestat sledovat",
"confirmations.unfollow.heading": "Přestat selovat uživatele {name}",
"confirmations.unfollow.message": "jste si jistý/á, že chcete přestat sledovat uživatele {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Skrývat média označená jako citlivá",
"preferences.fields.display_media.hide_all": "Vždy skrývat média",
"preferences.fields.display_media.show_all": "Vždy zobrazovat média",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Vždy rozbalit příspěvky označené varováním",
"preferences.fields.language_label": "Jazyk",
"preferences.fields.media_display_label": "Zobrazování médií",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "Ve vaší časové ose",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Prostý text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Pouze přihlášení uživatelé mohou prohlížet odpovědi a média na uživatelských profilech.",
"soapbox_config.authenticated_profile_label": "Profily vyžadují přihlášení",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright v zápatí",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Zobrazit doménu (např @uzivatel@domena) u místních účtů.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Vedlejší barva",
"soapbox_config.fields.brand_color_label": "Hlavní barva",
"soapbox_config.fields.crypto_addresses_label": "Adresy kryptoměn",
"soapbox_config.fields.home_footer_fields_label": "Zápatí časové osy",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "Je dostupná nová verze.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chaty",
"tabs_bar.dashboard": "Ovládací panel",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Domů",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {Zbývá # minuta} few {Zbývají # minuty} many {Zbývá # minuty} other {Zbývá # minut}}",
"time_remaining.moments": "Zbývá několik sekund",
"time_remaining.seconds": "{number, plural, one {Zbývá # sekunda} few {Zbývají # sekundy} many {Zbývá # sekundy} other {Zbývá # sekund}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {člověk} few {lidé} many {lidí} other {lidí}} hovoří",
"trends.title": "Trendy",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Váš koncept se ztratí, pokud Soapbox opustíte.",
"unauthorized_modal.text": "Nejprve se přihlašte.",
"unauthorized_modal.title": "Registrovat se na {site_title}",
"upload_area.title": "Přetažením nahrajete",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Digwyddodd gwall annisgwyl.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Wps!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Aeth rhywbeth o'i le tra'n llwytho'r elfen hon.",
"bundle_modal_error.retry": "Ceiswich eto",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Ffrwd y ffederasiwn",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Nôl",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Dad-ddilynwch",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ydych chi'n sicr eich bod am ddad-ddilyn {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hafan",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# funud} other {# o funudau}} ar ôl",
"time_remaining.moments": "Munudau ar ôl",
"time_remaining.seconds": "{number, plural, one {# eiliad} other {# o eiliadau}} ar ôl",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} yn siarad",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Mi fyddwch yn colli eich drafft os gadewch Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Llusgwch & gollwing i uwchlwytho",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Der opstod en uventet fejl.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Noget gik galt under indlæsningen af dette komponent.",
"bundle_modal_error.retry": "Prøv igen",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Fælles tidslinje",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tilbage",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Følg ikke længere",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Er du sikker på, du ikke længere vil følge {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hjem",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minut} other {# minutter}} tilbage",
"time_remaining.moments": "Få øjeblikke tilbage",
"time_remaining.seconds": "{number, plural, one {# sekund} other {# sekunder}} tilbage",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {personer}} snakker",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Din kladde vil gå tabt hvis du forlader Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Træk og slip for at uploade",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ein unerwarteter Fehler ist aufgetreten.",
"alert.unexpected.return_home": "Zurück zur Startseite",
"alert.unexpected.title": "Hinweis:",
"aliases.account.add": "Alias erstellen",
"aliases.account_label": "Alter Account:",
"aliases.aliases_list_delete": "Link zum Alias entfernen",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Beim Laden ist ein Fehler aufgetreten.",
"bundle_modal_error.retry": "Erneut versuchen",
"card.back.label": "Zurück",
"chat_box.actions.send": "Senden",
"chat_box.input.placeholder": "Nachricht senden…",
"chat_panels.main_window.empty": "Keine Chats vorhanden. Besuche ein Nutzerprofil, um einen Chat zu starten.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Nachricht löschen",
"chats.actions.more": "Mehr",
"chats.actions.report": "Nutzer melden",
"chats.attachment": "Anhang",
"chats.attachment_image": "Bild",
"chats.audio_toggle_off": "Benachrichtigungston aus",
"chats.audio_toggle_on": "Benachrichtigungston an",
"chats.dividers.today": "Heute",
"chats.search_placeholder": "Chatten mit…",
"column.admin.awaiting_approval": "Wartet auf Bestätigung",
@ -270,13 +260,11 @@
"column.public": "Föderierte Zeitleiste",
"column.reactions": "Reaktionen",
"column.reblogs": "Geteilte Beiträge",
"column.remote": "Föderierte Timeline",
"column.scheduled_statuses": "Vorbereitete Beiträge",
"column.search": "Suche",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox Einstellungen",
"column.test": "Test timeline",
"column_back_button.label": "Zurück",
"column_forbidden.body": "Zugriff nicht erlaubt",
"column_forbidden.title": "Zugriffsbeschränkung",
"common.cancel": "Abbrechen",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Vorbereiteten Beitrag verwerfen",
"confirmations.scheduled_status_delete.message": "Den vorbereiteten Beitrag wirklich verwerfen?",
"confirmations.unfollow.confirm": "Entfolgen",
"confirmations.unfollow.heading": "{name} entfolgen",
"confirmations.unfollow.message": "Bist du dir sicher, dass du {name} entfolgen möchtest?",
"crypto_donate.explanation_box.message": "{siteTitle} akzeptiert Kryptowährungen. Du kannst an eine der angegebenen Adressen eine Spende senden. Danke für deine Unterstützung!",
"crypto_donate.explanation_box.title": "Spenden mit Kryptowährungen",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -455,8 +441,8 @@
"email_confirmation.success": "Your email has been confirmed!",
"email_passthru.confirmed.body": "Close this tab and continue the registration process on the {bold} from which you sent this email confirmation.",
"email_passthru.confirmed.heading": "E-Mail bestätigt!",
"email_passthru.fail.expired": "Your email token has expired",
"email_passthru.fail.generic": "Unable to confirm your email",
"email_passthru.fail.expired": "Ihr E-Mail-Token ist abgelaufen",
"email_passthru.fail.generic": "Ihre E-Mail kann nicht bestätigt werden",
"email_passthru.fail.invalid_token": "Your token is invalid",
"email_passthru.fail.not_found": "Your email token is invalid.",
"email_passthru.generic_fail.body": "Please request a new email confirmation.",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Als verstörend gekennzeichnete Medien grundsätzlich anzeigen",
"preferences.fields.display_media.hide_all": "Medien grundsätzlich ausblenden",
"preferences.fields.display_media.show_all": "Medien grundsätzlich anzeigen",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Als verstörend gekennzeichnete Posts grundsätzlich ausklappen",
"preferences.fields.language_label": "Sprache",
"preferences.fields.media_display_label": "Bilder & Videos",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "Auf deiner persönlichen Timeline",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "Anzeigen",
"soapbox_config.authenticated_profile_hint": "Nur angemeldete Nutzer können Antworten und Medien auf Nutzerprofilen sehen.",
"soapbox_config.authenticated_profile_label": "Profil erfordert Authentifizierung",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright Fußnote",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Zeige Instanz (z. B. @user@instanz) für User auf der lokalen Instanz an.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Akzentfarbe",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocoin-Adresse",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Alle",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Steuerung",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Start",
@ -1164,7 +1144,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, eine {Person} other {Personen}} reden darüber",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Dein Entwurf geht verloren, wenn du Soapbox verlässt.",
"unauthorized_modal.text": "Für diese Aktion musst Du angemeldet sein.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Zum Hochladen hereinziehen",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Προέκυψε απροσδόκητο σφάλμα.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Εεπ!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Κάτι πήγε στραβά κατά τη φόρτωση του στοιχείου.",
"bundle_modal_error.retry": "Δοκίμασε ξανά",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Ομοσπονδιακή ροή",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Πίσω",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Διακοπή παρακολούθησης",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Σίγουρα θες να πάψεις να ακολουθείς τον/την {name};",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Αρχική",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "απομένουν {number, plural, one {# λεπτό} other {# λεπτά}}",
"time_remaining.moments": "Απομένουν στιγμές",
"time_remaining.seconds": "απομένουν {number, plural, one {# δευτερόλεπτο} other {# δευτερόλεπτα}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} μιλάνε",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Το προσχέδιό σου θα χαθεί αν φύγεις από το Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop για να ανεβάσεις",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "𐑩𐑯 𐑳𐑯𐑦𐑒𐑕𐑐𐑧𐑒𐑑𐑩𐑛 𐑧𐑮𐑼 occurred.",
"alert.unexpected.return_home": "𐑮𐑦𐑑𐑻𐑯 𐑣𐑴𐑥",
"alert.unexpected.title": "𐑵𐑐𐑕!",
"aliases.account.add": "𐑒𐑮𐑦𐑱𐑑 𐑱𐑤𐑾𐑕",
"aliases.account_label": "𐑴𐑤𐑛 𐑩𐑒𐑬𐑯𐑑:",
"aliases.aliases_list_delete": "𐑳𐑯𐑤𐑦𐑙𐑒 𐑱𐑤𐑾𐑕",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "𐑕𐑳𐑥𐑔𐑦𐑙 𐑢𐑧𐑯𐑑 𐑮𐑪𐑙 𐑢𐑲𐑤 𐑤𐑴𐑛𐑦𐑙 𐑞𐑦𐑕 𐑒𐑩𐑥𐑐𐑴𐑯𐑩𐑯𐑑.",
"bundle_modal_error.retry": "𐑑𐑮𐑲 𐑩𐑜𐑱𐑯",
"card.back.label": "Back",
"chat_box.actions.send": "𐑕𐑧𐑯𐑛",
"chat_box.input.placeholder": "𐑕𐑧𐑯𐑛 𐑩 𐑥𐑧𐑕𐑦𐑡…",
"chat_panels.main_window.empty": "𐑯𐑴 𐑗𐑨𐑑𐑕 𐑓𐑬𐑯𐑛. 𐑑 𐑕𐑑𐑸𐑑 𐑩 𐑗𐑨𐑑, 𐑝𐑦𐑟𐑦𐑑 𐑩 𐑿𐑟𐑼𐑟 𐑐𐑮𐑴𐑓𐑲𐑤.",
"chat_panels.main_window.title": "𐑗𐑨𐑑𐑕",
"chat_window.close": "Close chat",
"chats.actions.delete": "𐑛𐑦𐑤𐑰𐑑 𐑥𐑧𐑕𐑦𐑡",
"chats.actions.more": "𐑥𐑹",
"chats.actions.report": "𐑮𐑦𐑐𐑹𐑑 𐑿𐑟𐑼",
"chats.attachment": "𐑩𐑑𐑨𐑗𐑥𐑩𐑯𐑑",
"chats.attachment_image": "𐑦𐑥𐑦𐑡",
"chats.audio_toggle_off": "𐑷𐑛𐑦𐑴 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯 𐑪𐑓",
"chats.audio_toggle_on": "𐑷𐑛𐑦𐑴 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯 on",
"chats.dividers.today": "𐑑𐑩𐑛𐑱",
"chats.search_placeholder": "𐑕𐑑𐑸𐑑 𐑩 𐑗𐑨𐑑 𐑢𐑦𐑞…",
"column.admin.awaiting_approval": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤",
@ -270,13 +260,11 @@
"column.public": "𐑓𐑧𐑛𐑼𐑱𐑑𐑩𐑛 𐑑𐑲𐑥𐑤𐑲𐑯",
"column.reactions": "𐑮𐑦𐑨𐑒𐑖𐑩𐑯𐑟",
"column.reblogs": "𐑮𐑰𐑐𐑴𐑕𐑑𐑕",
"column.remote": "𐑓𐑧𐑛𐑼𐑱𐑑𐑩𐑛 𐑑𐑲𐑥𐑤𐑲𐑯",
"column.scheduled_statuses": "𐑖𐑧𐑡𐑵𐑤𐑛 𐑐𐑴𐑕𐑑𐑕",
"column.search": "𐑕𐑻𐑗",
"column.settings_store": "Settings store",
"column.soapbox_config": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑒𐑩𐑯𐑓𐑦𐑜",
"column.test": "Test timeline",
"column_back_button.label": "𐑚𐑨𐑒",
"column_forbidden.body": "𐑿 𐑛𐑵 𐑯𐑪𐑑 𐑣𐑨𐑝 𐑐𐑼𐑥𐑦𐑖𐑩𐑯 𐑑 𐑨𐑒𐑕𐑧𐑕 𐑞𐑦𐑕 𐑐𐑱𐑡.",
"column_forbidden.title": "𐑓𐑼𐑚𐑦𐑛𐑩𐑯",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "𐑳𐑯𐑓𐑪𐑤𐑴",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑳𐑯𐑓𐑪𐑤𐑴 {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} 𐑩𐑒𐑕𐑧𐑐𐑑𐑕 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑛𐑴𐑯𐑱𐑖𐑩𐑯𐑟. 𐑿 𐑥𐑱 𐑕𐑧𐑯𐑛 𐑩 𐑛𐑴𐑯𐑱𐑖𐑩𐑯 𐑑 𐑧𐑯𐑦 𐑝 𐑞 𐑩𐑛𐑮𐑧𐑕𐑩𐑟 𐑚𐑦𐑤𐑴. 𐑔𐑨𐑙𐑒 𐑿 𐑓 𐑘𐑹 𐑕𐑩𐑐𐑹𐑑!",
"crypto_donate.explanation_box.title": "𐑕𐑧𐑯𐑛𐑦𐑙 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑛𐑴𐑯𐑱𐑖𐑩𐑯𐑟",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "𐑣𐑲𐑛 𐑥𐑰𐑛𐑾 𐑥𐑸𐑒𐑑 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"preferences.fields.display_media.hide_all": "𐑷𐑤𐑢𐑱𐑟 𐑣𐑲𐑛 𐑥𐑰𐑛𐑾",
"preferences.fields.display_media.show_all": "𐑷𐑤𐑢𐑱𐑟 𐑖𐑴 𐑥𐑰𐑛𐑾",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "𐑷𐑤𐑢𐑱𐑟 𐑦𐑒𐑕𐑐𐑨𐑯𐑛 𐑐𐑴𐑕𐑑𐑕 𐑥𐑸𐑒𐑑 𐑢𐑦𐑞 𐑒𐑪𐑯𐑑𐑧𐑯𐑑 𐑢𐑹𐑯𐑦𐑙𐑟",
"preferences.fields.language_label": "𐑤𐑨𐑙𐑜𐑢𐑦𐑡",
"preferences.fields.media_display_label": "𐑥𐑰𐑛𐑾 𐑛𐑦𐑕𐑐𐑤𐑱",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "𐑿𐑟𐑼𐑟 𐑥𐑳𐑕𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛-𐑦𐑯 𐑑 𐑝𐑿 𐑮𐑦𐑐𐑤𐑲𐑟 𐑯 𐑥𐑰𐑛𐑾 𐑪𐑯 𐑿𐑟𐑼 𐑐𐑮𐑴𐑓𐑲𐑤𐑟.",
"soapbox_config.authenticated_profile_label": "𐑐𐑮𐑴𐑓𐑲𐑤𐑟 𐑮𐑦𐑒𐑢𐑲𐑼 𐑷𐑔𐑧𐑯𐑑𐑦𐑒𐑱𐑖𐑩𐑯",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "𐑛𐑦𐑕𐑐𐑤𐑱 𐑛𐑴𐑥𐑱𐑯 (eg @user@domain) 𐑓 𐑤𐑴𐑒𐑩𐑤 𐑩𐑒𐑬𐑯𐑑𐑕.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "𐑚𐑮𐑨𐑯𐑛 𐑒𐑳𐑤𐑼",
"soapbox_config.fields.crypto_addresses_label": "𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑩𐑛𐑮𐑧𐑕𐑩𐑟",
"soapbox_config.fields.home_footer_fields_label": "𐑣𐑴𐑥 𐑓𐑫𐑑𐑼 𐑲𐑑𐑩𐑥𐑟",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "𐑷𐑤",
"tabs_bar.chats": "𐑗𐑨𐑑𐑕",
"tabs_bar.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛",
"tabs_bar.fediverse": "·𐑓𐑧𐑛𐑦𐑝𐑻𐑕",
"tabs_bar.home": "𐑣𐑴𐑥",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} 𐑤𐑧𐑓𐑑",
"time_remaining.moments": "𐑥𐑴𐑥𐑩𐑯𐑑𐑕 remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} 𐑤𐑧𐑓𐑑",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people} 𐑑𐑷𐑒𐑦𐑙",
"trends.title": "𐑑𐑮𐑧𐑯𐑛𐑟",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "𐑘𐑹 𐑛𐑮𐑭𐑓𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑤𐑪𐑕𐑑 𐑦𐑓 𐑿 𐑤𐑰𐑝.",
"unauthorized_modal.text": "𐑿 𐑯𐑰𐑛 𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛 𐑦𐑯 𐑑 𐑛𐑵 𐑞𐑨𐑑.",
"unauthorized_modal.title": "𐑕𐑲𐑯 𐑳𐑐 𐑓 {site_title}",
"upload_area.title": "𐑛𐑮𐑨𐑜 𐑯 𐑛𐑮𐑪𐑐 𐑑 𐑳𐑐𐑤𐑴𐑛",

View File

@ -1196,6 +1196,7 @@
"soapbox_config.promo_panel.meta_fields.label_placeholder": "Label",
"soapbox_config.promo_panel.meta_fields.url_placeholder": "URL",
"soapbox_config.raw_json_hint": "Edit the settings data directly. Changes made directly to the JSON file will override the form fields above. Click Save to apply your changes.",
"soapbox_config.raw_json_invalid": "is invalid",
"soapbox_config.raw_json_label": "Advanced: Edit raw JSON data",
"soapbox_config.save": "Save",
"soapbox_config.saved": "Soapbox config saved!",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Neatendita eraro okazis.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Io misfunkciis en la ŝargado de ĉi tiu elemento.",
"bundle_modal_error.retry": "Bonvolu reprovi",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Fratara tempolinio",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Reveni",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Ne plu sekvi",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ĉu vi certas, ke vi volas ĉesi sekvi {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hejmo",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minutoj}} restas",
"time_remaining.moments": "Momenteto restas",
"time_remaining.seconds": "{number, plural, one {# sekundo} other {# sekundoj}} restas",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persono} other {personoj}} parolas",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Via malneto perdiĝos se vi eliras de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Altreni kaj lasi por alŝuti",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ocurrió un error inesperado.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "¡Epa!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Algo salió mal al cargar este componente.",
"bundle_modal_error.retry": "Intentá de nuevo",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Línea temporal federada",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Volver",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Dejar de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "¿Estás seguro que querés dejar de seguir a {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Principal",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural,one {queda # minuto} other {quedan # minutos}}",
"time_remaining.moments": "Momentos restantes",
"time_remaining.seconds": "{number, plural,one {queda # segundo} other {quedan # segundos}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Tu borrador se perderá si abandonás Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Para subir, arrastrá y soltá",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Hubo un error inesperado.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "¡Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Algo salió mal al cargar este componente.",
"bundle_modal_error.retry": "Inténtalo de nuevo",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Línea de tiempo federada",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Dejar de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "¿Estás seguro de que quieres dejar de seguir a {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inicio",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuto restante} other {# minutos restantes}}",
"time_remaining.moments": "Momentos restantes",
"time_remaining.seconds": "{number, plural, one {# segundo restante} other {# segundos restantes}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Tu borrador se perderá si sales de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Arrastra y suelta para subir",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Tekkis ootamatu viga.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oih!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Selle komponendi laadimisel läks midagi viltu.",
"bundle_modal_error.retry": "Proovi uuesti",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Föderatiivne ajajoon",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tagasi",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Ära jälgi",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Oled kindel, et ei soovi jälgida {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Kodu",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minut} other {# minutit}} left",
"time_remaining.moments": "Hetked jäänud",
"time_remaining.seconds": "{number, plural, one {# sekund} other {# sekundit}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {inimene} other {inimesed}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Sinu mustand läheb kaotsi, kui lahkud Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Lohista & aseta üleslaadimiseks",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ustekabeko errore bat gertatu da.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ene!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Zerbait okerra gertatu da osagai hau kargatzean.",
"bundle_modal_error.retry": "Saiatu berriro",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federatutako denbora-lerroa",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Atzera",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Utzi jarraitzeari",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ziur {name} jarraitzeari utzi nahi diozula?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hasiera",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {minutu #} other {# minutu}} amaitzeko",
"time_remaining.moments": "Amaitzekotan",
"time_remaining.seconds": "{number, plural, one {segundo #} other {# segundo}} amaitzeko",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} hitz egiten",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Zure zirriborroa galduko da Soapbox uzten baduzu.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Arrastatu eta jaregin igotzeko",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "خطای پیش‌بینی‌نشده‌ای رخ داد.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "ای وای!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "هنگام بازکردن این بخش خطایی رخ داد.",
"bundle_modal_error.retry": "تلاش دوباره",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "نوشته‌های همه‌جا",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "بازگشت",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "لغو پیگیری",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "آیا واقعاً می‌خواهید به پیگیری از {name} پایان دهید؟",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "خانه",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# دقیقه} other {# دقیقه}} باقی مانده",
"time_remaining.moments": "زمان باقی‌مانده",
"time_remaining.seconds": "{number, plural, one {# ثانیه} other {# ثانیه}} باقی مانده",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {نفر نوشته است} other {نفر نوشته‌اند}}",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "اگر از ماستدون خارج شوید پیش‌نویس شما پاک خواهد شد.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "برای بارگذاری به این‌جا بکشید",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Tapahtui odottamaton virhe.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Jokin meni vikaan komponenttia ladattaessa.",
"bundle_modal_error.retry": "Yritä uudestaan",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Yleinen aikajana",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Takaisin",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Lakkaa seuraamasta",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Haluatko varmasti lakata seuraamasta käyttäjää {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Koti",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuutti} other {# minuuttia}} jäljellä",
"time_remaining.moments": "Hetki jäljellä",
"time_remaining.seconds": "{number, plural, one {# sekunti} other {# sekuntia}} jäljellä",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {henkilö} other {henkilöä}} keskustelee",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Lataa raahaamalla ja pudottamalla tähän",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Une erreur inattendue sest produite.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Une erreur sest produite lors du chargement de ce composant.",
"bundle_modal_error.retry": "Réessayer",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Fil public global",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Retour",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Ne plus suivre",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Voulez-vous arrêter de suivre {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -454,7 +440,7 @@
"edit_profile.success": "Profile saved!",
"email_confirmation.success": "Your email has been confirmed!",
"email_passthru.confirmed.body": "Close this tab and continue the registration process on the {bold} from which you sent this email confirmation.",
"email_passthru.confirmed.heading": "Email Confirmed!",
"email_passthru.confirmed.heading": "Adresse électronique confirmée.",
"email_passthru.fail.expired": "Your email token has expired",
"email_passthru.fail.generic": "Unable to confirm your email",
"email_passthru.fail.invalid_token": "Your token is invalid",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Accueil",
@ -1164,7 +1144,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, one {personne} other {personnes}} discutent",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Votre brouillon sera perdu si vous quittez Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Glissez et déposez pour envoyer",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Aconteceu un fallo non agardado.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Vaia!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Algo fallou mentras se cargaba este compoñente.",
"bundle_modal_error.retry": "Inténteo de novo",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Liña temporal federada",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Deixar de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Quere deixar de seguir a {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inicio",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minutos}} restantes",
"time_remaining.moments": "Está rematando",
"time_remaining.seconds": "{number, plural, one {# segundo} other {# segundos}} restantes",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} outras {people}} conversando",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "O borrador perderase se sae de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Arrastre e solte para subir",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "תמיכה",
"alert.unexpected.message": "אירעה שגיאה בלתי צפויה.",
"alert.unexpected.return_home": "חזור הביתה",
"alert.unexpected.title": "אופס!",
"aliases.account.add": "צור כינוי",
"aliases.account_label": "חשבון ישן:",
"aliases.aliases_list_delete": "בטל קישור בכינוי",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "משהו השתבש בעת טעינת הרכיב הזה.",
"bundle_modal_error.retry": "לנסות שוב",
"card.back.label": "Back",
"chat_box.actions.send": "שליחה",
"chat_box.input.placeholder": "שלח הודעה",
"chat_panels.main_window.empty": "לא נמצאו צ'אטים. כדי להתחיל צ'אט, בקר בפרופיל של משתמש.",
"chat_panels.main_window.title": "צ'אטים",
"chat_window.close": "Close chat",
"chats.actions.delete": "מחק הודעה",
"chats.actions.more": "עוד",
"chats.actions.report": "דווח על משתמש",
"chats.attachment": "צירוף",
"chats.attachment_image": "תמונה",
"chats.audio_toggle_off": "התראת שמע כבויה",
"chats.audio_toggle_on": "התראת שמע דלוקה",
"chats.dividers.today": "היום",
"chats.search_placeholder": "התחל בצ'אט עם",
"column.admin.awaiting_approval": "מחכה לאישור",
@ -270,13 +260,11 @@
"column.public": "בפרהסיה",
"column.reactions": "תגובות",
"column.reblogs": "הדהודים",
"column.remote": "ציר זמן פדרטיבי",
"column.scheduled_statuses": "פוסטים מתוזמנים",
"column.search": "חפש",
"column.settings_store": "Settings store",
"column.soapbox_config": "תצורות סבוניה",
"column.test": "Test timeline",
"column_back_button.label": "חזרה",
"column_forbidden.body": "אין לך הרשאה לגשת לדף זה.",
"column_forbidden.title": "אסור",
"common.cancel": "בטל",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "להפסיק מעקב",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "להפסיק מעקב אחרי {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} מקבל תרומות של מטבעות קריפטוגרפיים. ניתן לשלוח תרומה לכל אחת מהכתובות למטה. תודה על תמיכתך!",
"crypto_donate.explanation_box.title": "שליחת תרומות מטבעות קריפטוגרפיים",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "הסתר מדיה שסומנה כרגישה",
"preferences.fields.display_media.hide_all": "תמיד הסתר מדיה",
"preferences.fields.display_media.show_all": "תמיד הצג מדיה",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "הרחב תמיד פוסטים המסומנים באזהרות תוכן",
"preferences.fields.language_label": "שפה",
"preferences.fields.media_display_label": "תצוגת מדיה",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "משתמשים חייבים להיות מחוברים כדי לראות תגובות ומדיה בפרופילי משתמש.",
"soapbox_config.authenticated_profile_label": "פרופילים שדורשים אימות",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "כותרת תחתונה של זכויות יוצרים",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "הצג דומיין (למשל @user@domain) עבור חשבונות מקומיים.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "צבע מותג",
"soapbox_config.fields.crypto_addresses_label": "כתובות של מטבעות קריפטוגרפיים",
"soapbox_config.fields.home_footer_fields_label": "פריטי כותרת תחתונה של הבית",
"soapbox_config.fields.logo_label": "לוגו",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "הכל",
"tabs_bar.chats": "צ'אטים",
"tabs_bar.dashboard": "לוח מחוונים",
"tabs_bar.fediverse": "פדרציה",
"tabs_bar.home": "בית",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# דקה} other {# דקות}} נותרו",
"time_remaining.moments": "נותרו רגעים",
"time_remaining.seconds": "{number, plural, one {# שנייה} other {# שניות}} נותרו",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {אדם} other {אנשים}} מדברים",
"trends.title": "טרנדים",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "הטיוטא תאבד אם תעזבו את סבוניה.",
"unauthorized_modal.text": "אתה צריך להיות מחובר כדי לעשות זאת.",
"unauthorized_modal.title": "להירשם ל{site_title}",
"upload_area.title": "ניתן להעלות על ידי Drag & drop",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federalni timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Natrag",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -454,7 +440,7 @@
"edit_profile.success": "Profile saved!",
"email_confirmation.success": "Your email has been confirmed!",
"email_passthru.confirmed.body": "Close this tab and continue the registration process on the {bold} from which you sent this email confirmation.",
"email_passthru.confirmed.heading": "Email Confirmed!",
"email_passthru.confirmed.heading": "E-mail adresa potvrđena.",
"email_passthru.fail.expired": "Your email token has expired",
"email_passthru.fail.generic": "Unable to confirm your email",
"email_passthru.fail.invalid_token": "Your token is invalid",
@ -565,7 +551,7 @@
"gdpr.learn_more": "Learn more",
"gdpr.message": "{siteTitle} uses session cookies, which are essential to the website's functioning.",
"gdpr.title": "{siteTitle} uses cookies",
"getting_started.open_source_notice": "{code_name} je softver otvorenog koda. Možeš pridonijeti ili prijaviti probleme na GitLabu {code_link} (v{code_version}).",
"getting_started.open_source_notice": "{code_name} je softver otvorenog koda. Možeš doprinijeti ili prijaviti probleme na {code_link} (v{code_version}).",
"hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Dom",
@ -1164,7 +1144,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Povuci i spusti kako bi uploadao",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Váratlan hiba történt.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hoppá!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Hiba történt a komponens betöltésekor.",
"bundle_modal_error.retry": "Próbáld újra",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Nyilvános idővonal",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Vissza",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Követés visszavonása",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Biztos, hogy vissza szeretnéd vonni {name} követését?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Saját",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# perc} other {# perc}} van hátra",
"time_remaining.moments": "Pillanatok vannak hátra",
"time_remaining.seconds": "{number, plural, one {# másodperc} other {# másodperc}} van hátra",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {résztvevő} other {résztvevő}} beszélget",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "A piszkozatod el fog veszni, ha elhagyod a Soapbox-t.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Húzd ide a feltöltéshez",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Վա՜յ",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Այս բաղադրիչը բեռնելու ընթացքում ինչ֊որ բան խափանվեց։",
"bundle_modal_error.retry": "Կրկին փորձել",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Դաշնային հոսք",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Ետ",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Ապահետեւել",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Վստա՞հ ես, որ ուզում ես այլեւս չհետեւել {name}֊ին։",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Հիմնական",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Քո սեւագիրը կկորի, եթե լքես Մաստոդոնը։",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Քաշիր ու նետիր՝ վերբեռնելու համար",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Terjadi kesalahan yang tidak terduga.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Kesalahan terjadi saat memuat komponen ini.",
"bundle_modal_error.retry": "Coba lagi",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Linimasa gabungan",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Kembali",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Berhenti mengikuti",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Apakah anda ingin berhenti mengikuti {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Beranda",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Naskah anda akan hilang jika anda keluar dari Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Seret & lepaskan untuk mengunggah",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federata tempolineo",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Retro",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hemo",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Tranar faligar por kargar",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Aðstoð",
"alert.unexpected.message": "Óvænt villa kom upp.",
"alert.unexpected.return_home": "Fara Heim",
"alert.unexpected.title": "Æi!",
"aliases.account.add": "Skapa notandasamnefni",
"aliases.account_label": "Gamall reikningur:",
"aliases.aliases_list_delete": "Aftengja samefni",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Eitthvað fór úrskeiðis við að hlaða þessum íhluti.",
"bundle_modal_error.retry": "Reyna aftur",
"card.back.label": "Back",
"chat_box.actions.send": "Senda",
"chat_box.input.placeholder": "Senda skilaboð…",
"chat_panels.main_window.empty": "Engin samtöl fannst. Til að hefja spjall skaltu fara á notandasnið einhvers..",
"chat_panels.main_window.title": "Spjöll",
"chat_window.close": "Close chat",
"chats.actions.delete": "Eyða skilaboði",
"chats.actions.more": "Meira",
"chats.actions.report": "Kæra notanda",
"chats.attachment": "Samhengi",
"chats.attachment_image": "Mynd",
"chats.audio_toggle_off": "Hljóðtilkynning óvirkar",
"chats.audio_toggle_on": "Hljóðtilkynning virkar",
"chats.dividers.today": "Í dag",
"chats.search_placeholder": "Byrja samtal með…",
"column.admin.awaiting_approval": "Bíður eftir samþykki",
@ -270,13 +260,11 @@
"column.public": "Sameiginleg tímalína",
"column.reactions": "Viðbrögð",
"column.reblogs": "Endurbirtingar",
"column.remote": "Sameiginleg tímalína",
"column.scheduled_statuses": "Áætlaðar færslur",
"column.search": "Leita",
"column.settings_store": "Stillingargeymsla",
"column.soapbox_config": "Stillingar Soapbox",
"column.test": "Prufu tímalína",
"column_back_button.label": "Til baka",
"column_forbidden.body": "Þú hefur ekki aðgang að þessari síðu.",
"column_forbidden.title": "Bannað",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Hætta við tímaseta færslu",
"confirmations.scheduled_status_delete.message": "Ertu viss um að þú viljir hætta við þessa tímaseta færslu?",
"confirmations.unfollow.confirm": "Hætta að fylgja",
"confirmations.unfollow.heading": "Hætta að fylgjast með @{name}",
"confirmations.unfollow.message": "Ertu viss um að þú viljir hætta að fylgjast með {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} tekur við dulmálsgjaldmiðlum til að fjármagna þjónustu okkar. Þú getur sent til veskjanna fyrir neðan. Þakka þér fyrir stuðninginn!",
"crypto_donate.explanation_box.title": "Að senda dulmálsgjaldmiðla",
"crypto_donate_panel.actions.view": "Smelltu til að sjá {count} {count, plural, one {veski} other {veski}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Fela myndefni sem merkt er viðkvæmt",
"preferences.fields.display_media.hide_all": "Alltaf fela myndefni",
"preferences.fields.display_media.show_all": "Alltaf birta myndefni",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Alltaf birta myndefni sem merkt er viðkvæmt",
"preferences.fields.language_label": "Tungumál",
"preferences.fields.media_display_label": "Birting myndefnis",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "Í heimastreymi þínu",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "Skoða",
"soapbox_config.authenticated_profile_hint": "Notendur verða að vera skráðir inn til að sjá svör og myndefni á notandasniðum.",
"soapbox_config.authenticated_profile_label": "Snið krefst auðkenningar",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Höfundarréttarfótur",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Allt",
"tabs_bar.chats": "Spjöll",
"tabs_bar.dashboard": "Stjórnborð",
"tabs_bar.fediverse": "Samtengdir Vefþjónar",
"tabs_bar.home": "Heima",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# mínúta} other {# mínútur}} eftir",
"time_remaining.moments": "Augnablik eftir",
"time_remaining.seconds": "{number, plural, one {# sekúnda} other {# sekúndur}} eftir",
"toast.view": "Skoða",
"trends.count_by_accounts": "{count} {rawCount, plural, one {manneskja} other {manneskjur}} að tala",
"trends.title": "Í umræðunni",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Drögin tapast ef þú ferð",
"unauthorized_modal.text": "Þú þarft að vera skráður inn til að gera þetta.",
"unauthorized_modal.title": "Nýskrá á {site_title}",
"upload_area.title": "Dragðu-og-slepptu hér til að senda inn",

View File

@ -48,23 +48,23 @@
"account.requested": "In attesa di approvazione",
"account.requested_small": "In approvazione",
"account.search": "Cerca da @{name}",
"account.search_self": "Search your posts",
"account.search_self": "Cerca tra le tue pubblicazioni",
"account.share": "Condividi il profilo di @{name}",
"account.show_reblogs": "Mostra i ricondivisi da @{name}",
"account.subscribe": "Abbonati a @{name}",
"account.subscribe.failure": "Errore provando ad abbonarsi a questo profilo",
"account.subscribe.success": "Abbonamento attivato!",
"account.subscribe.failure": "Si è verificato un errore provando ad abbonarsi a questo profilo.",
"account.subscribe.success": "Hai attivato l'abbonamento a questo profilo.",
"account.unblock": "Sblocca @{name}",
"account.unblock_domain": "Non nascondere {domain}",
"account.unendorse": "Non mettere in evidenza sul profilo",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unendorse.success": "Hai smesso di promuovere @{acct}",
"account.unfollow": "Smetti di seguire",
"account.unmute": "Non silenziare @{name}",
"account.unsubscribe": "Annulla l'abbonamento a @{name}",
"account.unsubscribe.failure": "Errore durante la rimozione dell'abbonamento",
"account.unsubscribe.success": "Abbonamento rimosso",
"account.unsubscribe.failure": "Si è verificato un errore provando a rimuovere l'abbonamento.",
"account.unsubscribe.success": "Hai rimosso l'abbonamento a questo profilo.",
"account.verified": "Verificato",
"account_gallery.none": "Nessuna pubblicazione",
"account_gallery.none": "Nessun allegato da mostrare.",
"account_moderation_modal.admin_fe": "Apri in AdminFE",
"account_moderation_modal.fields.account_role": "Ruolo organizzativo",
"account_moderation_modal.fields.badges": "Etichette personalizzate",
@ -83,15 +83,15 @@
"account_note.target": "Note per @{target}",
"account_search.placeholder": "Cerca un profilo",
"actualStatus.edited": "Modificato: {date}",
"actualStatuses.quote_tombstone": "Pubblicazione non disponibile",
"actualStatuses.quote_tombstone": "Pubblicazione non disponibile.",
"admin.awaiting_approval.approved_message": "Approvazione per {acct}!",
"admin.awaiting_approval.empty_message": "Nessuno aspetta l'approvazione. Quando nuove persone si iscrivono, puoi approvarle da qui.",
"admin.awaiting_approval.rejected_message": "Rifiuto per {acct}",
"admin.awaiting_approval.rejected_message": "Rifiuto per {acct}.",
"admin.dashboard.registration_mode.approval_hint": "Iscrizioni aperte ma l'attivazione previa approvazione dagli amministratori.",
"admin.dashboard.registration_mode.approval_label": "Richiesta di approvazione",
"admin.dashboard.registration_mode.closed_hint": "Iscrizioni chiuse. Puoi comunque invitare le persone",
"admin.dashboard.registration_mode.closed_hint": "Iscrizioni chiuse. Puoi comunque invitare le persone.",
"admin.dashboard.registration_mode.closed_label": "Chiuse",
"admin.dashboard.registration_mode.open_hint": "Può iscriversi chiunque",
"admin.dashboard.registration_mode.open_hint": "Può iscriversi chiunque.",
"admin.dashboard.registration_mode.open_label": "Aperte",
"admin.dashboard.registration_mode_label": "Iscrizioni",
"admin.dashboard.settings_saved": "Impostazione salvata!",
@ -104,27 +104,30 @@
"admin.dashwidgets.software_header": "Software",
"admin.latest_accounts_panel.more": "Clicca per vedere {count} {count, plural, one {profilo} other {profili}}",
"admin.latest_accounts_panel.title": "Ultimi profili",
"admin.moderation_log.empty_message": "You have not performed any moderation actions yet. When you do, a history will be shown here.",
"admin.moderation_log.empty_message": "Non hai ancora moderato nessun profilo. In futuro, qui comparirà lo storico delle moderazioni.",
"admin.reports.actions.close": "Chiudi",
"admin.reports.actions.view_status": "Leggi la pubblicazione",
"admin.reports.empty_message": "Nessuna segnalazione. Se un profilo verrà segnalato, comparirà qui",
"admin.reports.empty_message": "Nessuna segnalazione in corso. Se un profilo verrà segnalato, comparirà qui.",
"admin.reports.report_closed_message": "La segnalazione per @{name} è stata chiusa",
"admin.reports.report_title": "Segnalazione su {acct}",
"admin.software.backend": "Lato server",
"admin.software.frontend": "Lato client",
"admin.statuses.actions.delete_status": "Elimina pubblicazione",
"admin.statuses.actions.mark_status_not_sensitive": "Segna non sensibile",
"admin.statuses.actions.mark_status_sensitive": "Segna come sensibile",
"admin.statuses.status_deleted_message": "La pubblicazione di @{acct} è stata eliminata",
"admin.statuses.status_marked_message_not_sensitive": "La pubblicazione di @{acct} è stata segnata non sensibile",
"admin.statuses.status_marked_message_sensitive": "La pubblicazione di @{acct} è stata segnata come sensibile",
"admin.user_index.empty": "No users found.",
"admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.theme.title": "Tema",
"admin.user_index.empty": "Non hai trovato alcun profilo.",
"admin.user_index.search_input_placeholder": "Chi stai cercando?",
"admin.users.actions.deactivate_user": "Disattiva @{name}",
"admin.users.actions.delete_user": "Elimina @{name}",
"admin.users.actions.demote_to_moderator_message": "Il profilo @{acct} è stato degradato a moderatore",
"admin.users.actions.demote_to_user_message": "Il profilo @{acct} è stato degradato ad utente",
"admin.users.actions.promote_to_admin_message": "Il profilo @{acct} è stato promosso amministratore",
"admin.users.actions.promote_to_moderator_message": "Il profilo @{acct} è stato promosso a moderatore",
"admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.badges_saved_message": "Hai aggiornato le etichette personalizzate.",
"admin.users.remove_donor_message": "Il profilo di @{acct} è stato rimosso dai donatori",
"admin.users.set_donor_message": "Il profilo @{acct} è stato aggiunto ai donatori",
"admin.users.user_deactivated_message": "Il profilo @{acct} è stato disattivato",
@ -136,9 +139,9 @@
"admin_nav.awaiting_approval": "In attesa di approvazione",
"admin_nav.dashboard": "Cruscotto",
"admin_nav.reports": "Segnalazioni",
"age_verification.body": "{siteTitle} requires users to be at least {ageMinimum} years old to access its platform. Anyone under the age of {ageMinimum} years old cannot access this platform.",
"age_verification.fail": "You must be {ageMinimum, plural, one {# year} other {# years}} old or older.",
"age_verification.header": "Enter your birth date",
"age_verification.body": "{siteTitle} richiede che le persone iscritte abbiano {ageMinimum} anni di età. Chiunque abbia l'età inferiore a {ageMinimum} anni, non può accedere.",
"age_verification.fail": "Devi aver compiuto almeno {ageMinimum, plural, one {# anno} other {# anni}}.",
"age_verification.header": "Inserisci la tua data di nascita",
"alert.unexpected.body": "Spiacenti per l'interruzione, se il problema persiste, contatta gli amministratori. Oppure prova a {clearCookies} (avverrà l'uscita dal sito).",
"alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "cancellare i cookie e svuotare la cronologia di navigazione",
@ -147,7 +150,6 @@
"alert.unexpected.links.support": "Assistenza",
"alert.unexpected.message": "Si è verificato un errore.",
"alert.unexpected.return_home": "Torna alla Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Crea un alias",
"aliases.account_label": "Vecchio indirizzo:",
"aliases.aliases_list_delete": "Elimina alias",
@ -157,28 +159,28 @@
"announcements.title": "Annunci",
"app_create.name_label": "Nome della App",
"app_create.name_placeholder": "es.: Soapbox",
"app_create.redirect_uri_label": "Redirect URIs",
"app_create.restart": "Create another",
"app_create.redirect_uri_label": "URL di ritorno",
"app_create.restart": "Creane un'altra",
"app_create.results.app_label": "App",
"app_create.results.explanation_text": "You created a new app and token! Please copy the credentials somewhere; you will not see them again after navigating away from this page.",
"app_create.results.explanation_title": "App created successfully",
"app_create.results.explanation_text": "Hai creato un token per una nuova App! Copia le credenziali da qualche parte, perché non le rivedrai di nuovo, uscendo da questa pagina.",
"app_create.results.explanation_title": "Hai creato la App",
"app_create.results.token_label": "OAuth token",
"app_create.scopes_label": "Scopes",
"app_create.scopes_placeholder": "e.g. 'read write follow'",
"app_create.submit": "Create app",
"app_create.scopes_label": "Finalità",
"app_create.scopes_placeholder": "Es.: 'read write follow'",
"app_create.submit": "Crea App",
"app_create.website_label": "Website",
"auth.invalid_credentials": "Credenziali non valide",
"auth.logged_out": "Arrivederci!",
"auth.logged_out": "Disconnessione.",
"auth_layout.register": "Crea un nuovo profilo",
"backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?",
"backups.pending": "Pending",
"backups.actions.create": "Crea copia di sicurezza",
"backups.empty_message": "Non ci sono copie di sicurezza. {action}",
"backups.empty_message.action": "Vuoi crearne una?",
"backups.pending": "In sospeso",
"badge_input.placeholder": "Nome etichetta…",
"birthday_panel.title": "Compleanni",
"birthdays_modal.empty": "None of your friends have birthday today.",
"birthdays_modal.empty": "Niente compleanni, per oggi.",
"boost_modal.combo": "Puoi premere {combo} per saltare questo passaggio la prossima volta",
"boost_modal.title": "Repost?",
"boost_modal.title": "Ripubblicare?",
"bundle_column_error.body": "Errore durante il caricamento di questo componente.",
"bundle_column_error.retry": "Riprova",
"bundle_column_error.title": "Errore di rete",
@ -186,18 +188,10 @@
"bundle_modal_error.message": "C'è stato un errore mentre questo componente veniva caricato.",
"bundle_modal_error.retry": "Riprova",
"card.back.label": "Indietro",
"chat_box.actions.send": "Invia",
"chat_box.input.placeholder": "Invia un messaggio…",
"chat_panels.main_window.empty": "Non hai nessuna chat da visualizzare. Per iniziare a chiaccherare con qualcuno, visita il relativo profilo.",
"chat_panels.main_window.title": "Chat",
"chat_window.close": "Close chat",
"chat.actions.send": "Invia",
"chats.actions.delete": "Elimina",
"chats.actions.more": "Di più",
"chats.actions.report": "Segnala...",
"chats.attachment": "Allegato",
"chats.attachment_image": "Immagine",
"chats.audio_toggle_off": "Notifica sonora Off",
"chats.audio_toggle_on": "Notifica sonora On",
"chats.actions.report": "Segnala il profilo",
"chats.dividers.today": "Oggi",
"chats.search_placeholder": "Inizia a chattare con…",
"column.admin.awaiting_approval": "Attesa approvazione",
@ -212,31 +206,31 @@
"column.aliases.delete_error": "Errore eliminando l'alias",
"column.aliases.subheading_add_new": "Aggiungi un alias di profilo",
"column.aliases.subheading_aliases": "Elenco di alias già creati",
"column.app_create": "Create app",
"column.backups": "Backups",
"column.app_create": "Creazione App",
"column.backups": "Copie di sicurezza",
"column.birthdays": "Compleanni",
"column.blocks": "Persone bloccate",
"column.bookmarks": "Segnalibri",
"column.chats": "Chat",
"column.community": "Timeline locale",
"column.crypto_donate": "Donazioni in cripto valuta",
"column.developers": "Developers",
"column.developers": "Sviluppatori",
"column.developers.service_worker": "Service Worker",
"column.direct": "Messaggi diretti",
"column.directory": "Esplora i profili pubblici",
"column.domain_blocks": "Domini nascosti",
"column.edit_profile": "Modifica del profilo",
"column.export_data": "Esportazione dati",
"column.familiar_followers": "People you know following {name}",
"column.familiar_followers": "Persone che conosci, che seguono {name}",
"column.favourited_statuses": "Pubblicazioni preferite",
"column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions",
"column.favourites": "Like",
"column.federation_restrictions": "Restrizioni alla federazione",
"column.filters": "Filtraggio parole",
"column.filters.add_new": "Inizia a filtrare",
"column.filters.conversations": "Conversazioni",
"column.filters.create_error": "Error adding filter",
"column.filters.create_error": "Si è verificato un errore aggiungendo il filtro",
"column.filters.delete": "Elimina",
"column.filters.delete_error": "Error deleting filter",
"column.filters.delete_error": "Si è verificato un errore eliminando il filtro",
"column.filters.drop_header": "Cancella anziché nascondere",
"column.filters.drop_hint": "Le pubblicazioni spariranno irrimediabilmente, anche dopo aver rimosso il filtro",
"column.filters.expires": "Scadenza",
@ -250,7 +244,7 @@
"column.filters.whole_word_header": "Parola intera",
"column.filters.whole_word_hint": "Quando la parola chiave o la frase è alfanumerica, filtrerà solo se coincide con la parola intera",
"column.follow_requests": "Richieste di amicizia",
"column.followers": "Followers",
"column.followers": "Follower",
"column.following": "Following",
"column.home": "Home",
"column.import_data": "Importazione dati",
@ -270,24 +264,22 @@
"column.public": "Timeline federata",
"column.reactions": "Reazioni",
"column.reblogs": "Ripubblicazioni",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Pubblicazioni pianificate",
"column.search": "Cerca",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.soapbox_config": "Configurazione di Soapbox",
"column.test": "Test timeline",
"column_back_button.label": "Indietro",
"column_forbidden.body": "Non hai il permesso di accedere a questa pagina",
"column_forbidden.body": "Non hai il permesso di accedere a questa pagina.",
"column_forbidden.title": "Accesso negato",
"common.cancel": "Annulla",
"common.error": "Something isn't right. Try reloading the page.",
"compare_history_modal.header": "Edit history",
"common.error": "Qualcosa è andato storto. Prova a ricaricare la pagina.",
"compare_history_modal.header": "Storico delle modifiche",
"compose.character_counter.title": "Stai usando {chars} di {maxChars} caratteri",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "Devi pianificare le pubblicazioni almeno fra 5 minuti",
"compose.edit_success": "Hai modificato la pubblicazione",
"compose.invalid_schedule": "Devi pianificare le pubblicazioni almeno fra 5 minuti.",
"compose.submit_success": "Pubblicazione avvenuta!",
"compose_form.direct_message_warning": "Stai scrivendo solo alle persone menzionate, ma ricorda che gli amministratori delle istanze coinvolte potrebbero comunque leggere il messaggio.",
"compose_form.hashtag_warning": "Pubblicazione non elencata, sarà impossibile trovarla nelle ricerche anche indicando gli hashtag. Le pubblicazioni si possono trovare solo impostando la privacy a livello «Pubblico»",
"compose_form.hashtag_warning": "Pubblicazione non elencata, sarà impossibile trovarla nelle ricerche anche indicando gli hashtag. Le pubblicazioni possono essere cercate soltanto impostando la visibilità a livello «Pubblico».",
"compose_form.lock_disclaimer": "Il tuo profilo non è {locked}. Chiunque può decidere di seguirti, anche solo per vedere le pubblicazioni per sole persone Follower.",
"compose_form.lock_disclaimer.lock": "protetto da approvazione",
"compose_form.markdown.marked": "Markdown, on",
@ -309,25 +301,25 @@
"compose_form.save_changes": "Salva i cambiamenti",
"compose_form.schedule": "Pianifica",
"compose_form.scheduled_statuses.click_here": "pubblicazioni pianificate",
"compose_form.scheduled_statuses.message": "Ci sono {click_here} in futuro",
"compose_form.scheduled_statuses.message": "Hai delle {click_here} .",
"compose_form.spoiler.marked": "Pubblicazione sensibile (CW)",
"compose_form.spoiler.unmarked": "Pubblicazione non sensibile",
"compose_form.spoiler_placeholder": "Messaggio di avvertimento per pubblicazione sensibile",
"compose_form.spoiler_remove": "Annulla contenuto sensibile (CW)",
"compose_form.spoiler_title": "Contenuto sensibile",
"confirmation_modal.cancel": "Annulla",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
"confirmations.admin.deactivate_user.message": "You are about to deactivate @{acct}. Deactivating a user is a reversible action.",
"confirmations.admin.delete_local_user.checkbox": "Sono consapevole di eliminare un profilo locale",
"confirmations.admin.deactivate_user.confirm": "Disattivare @{name}",
"confirmations.admin.deactivate_user.heading": "Disattivazione di @{acct}",
"confirmations.admin.deactivate_user.message": "Vuoi davvero disattivare il profilo di @{acct}? Si tratta di una azione irreversibile.",
"confirmations.admin.delete_local_user.checkbox": "Sto eliminando un profilo locale.",
"confirmations.admin.delete_status.confirm": "Conferma eliminazione pubblicazione",
"confirmations.admin.delete_status.heading": "Elimina pubblicazione",
"confirmations.admin.delete_status.message": "Stai per eliminare la pubblicazione di @{acct}. Si tratta di una azione irreversibile.",
"confirmations.admin.delete_user.confirm": "Elimina @{name}",
"confirmations.admin.delete_user.heading": "Elimina @{acct}",
"confirmations.admin.delete_user.message": "Stai per eliminare @{acct}. Questa azione distruttiva è irreversibile!",
"confirmations.admin.delete_user.message": "Stai per eliminare @{acct}. Questa azione distruttiva è irreversibile.",
"confirmations.admin.mark_status_not_sensitive.confirm": "Conferma che pubblicazione non è sensibile",
"confirmations.admin.mark_status_not_sensitive.heading": "Pubblicazione non sensibile",
"confirmations.admin.mark_status_not_sensitive.heading": "Pubblicazione non sensibile.",
"confirmations.admin.mark_status_not_sensitive.message": "Stai per segnare la pubblicazione di @{acct} come non sensibile.",
"confirmations.admin.mark_status_sensitive.confirm": "Conferma che la pubblicazione è sensibile",
"confirmations.admin.mark_status_sensitive.heading": "Pubblicazione sensibile",
@ -357,24 +349,22 @@
"confirmations.redraft.confirm": "Cancella e riscrivi",
"confirmations.redraft.heading": "Cancella e riscrivi",
"confirmations.redraft.message": "Vuoi davvero cancellare questo stato e riscriverlo? Perderai tutte le risposte, ricondivisioni e segnalibri.",
"confirmations.register.needs_approval": "Your account will be manually approved by an admin. Please be patient while we review your details.",
"confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_approval": "Il tuo profilo verrà visionato ed approvato dallo staff amministrativo. Per favore, pazienta durante l'attesa.",
"confirmations.register.needs_approval.header": "Approvazione richiesta",
"confirmations.register.needs_confirmation": "Controlla la tua casella di posta {email} abbiamo spedito le istruzioni per confermare la tua iscrizione.",
"confirmations.register.needs_confirmation.header": "Conferma la tua iscrizione",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.remove_from_followers.confirm": "Rimuovi",
"confirmations.remove_from_followers.message": "Vuoi davvero rimuovere {name} dai tuoi Follower?",
"confirmations.reply.confirm": "Rispondi",
"confirmations.reply.message": "Se rispondi ora, il messaggio che stai componendo verrà sostituito. Confermi?",
"confirmations.revoke_session.confirm": "Revoke",
"confirmations.revoke_session.heading": "Revoke current session",
"confirmations.revoke_session.message": "You are about to revoke your current session. You will be signed out.",
"confirmations.revoke_session.confirm": "Revoca",
"confirmations.revoke_session.heading": "Revoca la sessione attuale",
"confirmations.revoke_session.message": "Stai per revocare la tua attuale sessione. Avverrà la disconnessione.",
"confirmations.scheduled_status_delete.confirm": "Elimina",
"confirmations.scheduled_status_delete.heading": "Elimina pubblicazione pianificata",
"confirmations.scheduled_status_delete.message": "Vuoi davvero eliminare questa pubblicazione pianificata?",
"confirmations.unfollow.confirm": "Smetti di seguire",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Confermi che non vuoi più seguire {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accetta donazioni in cripto valuta. Puoi spedire la tua donazione ad uno di questi indirizzi. Grazie per la solidarietà",
"crypto_donate.explanation_box.message": "{siteTitle} accetta donazioni in cripto valuta. Puoi spedire la tua donazione ad uno di questi indirizzi. Grazie per la solidarietà!",
"crypto_donate.explanation_box.title": "Spedire donazioni in cripto valuta",
"crypto_donate_panel.actions.view": "Guarda {count} wallet",
"crypto_donate_panel.heading": "Donazioni cripto",
@ -388,27 +378,27 @@
"datepicker.previous_year": "Anno precedente",
"datepicker.year": "Anno",
"developers.challenge.answer_label": "Risposta",
"developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer",
"developers.challenge.message": "What is the result of calling {function}?",
"developers.challenge.submit": "Become a developer",
"developers.challenge.success": "You are now a developer",
"developers.leave": "You have left developers",
"developers.navigation.app_create_label": "Create an app",
"developers.challenge.answer_placeholder": "La tua risposta",
"developers.challenge.fail": "Risposta sbagliata",
"developers.challenge.message": "Qual'è il risultato della chiamata {function}?",
"developers.challenge.submit": "Diventa sviluppatore",
"developers.challenge.success": "Ora sei sviluppatore",
"developers.leave": "Hai abbandonato lo sviluppo",
"developers.navigation.app_create_label": "Crea una App",
"developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.leave_developers_label": "Abbandona gli sviluppi",
"developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline",
"developers.settings_store.advanced": "Advanced settings",
"developers.settings_store.hint": "It is possible to directly edit your user settings here. BE CAREFUL! Editing this section can break your account, and you will only be able to recover through the API.",
"developers.settings_store.advanced": "Impostazioni avanzate",
"developers.settings_store.hint": "Poi modificare direttamente le tue impostazioni utente. Attenzione! Modificare questa sezione può danneggiare il tuo profilo, potresti soltanto recuperarlo tramite le API.",
"direct.search_placeholder": "Comunica privatamente a …",
"directory.federated": "Dal fediverso conosciuto",
"directory.local": "Solo su {domain}",
"directory.new_arrivals": "Nuovi arrivi",
"directory.recently_active": "Attivi di ricente",
"edit_email.header": "Change Email",
"edit_email.header": "Cambia email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Pubblica soltanto alle persone Follower",
"edit_federation.force_nsfw": "Obbliga la protezione degli allegati (NSFW)",
@ -419,10 +409,10 @@
"edit_federation.unlisted": "Forza le pubblicazioni non in elenco",
"edit_password.header": "Modifica la password",
"edit_profile.error": "Impossibile salvare le modifiche",
"edit_profile.fields.accepts_email_list_label": "Autorizzo gli amministratori al trattamento dei dati per l'invio di comunicazioni ",
"edit_profile.fields.accepts_email_list_label": "Autorizzo gli amministratori al trattamento dei dati per l'invio di comunicazioni",
"edit_profile.fields.avatar_label": "Emblema o immagine",
"edit_profile.fields.bio_label": "Autobiografia",
"edit_profile.fields.bio_placeholder": "Scrivi qualcosa di te, verrà mostrato pubblicamente",
"edit_profile.fields.bio_placeholder": "Scrivi qualcosa di te, verrà mostrato pubblicamente.",
"edit_profile.fields.birthday_label": "Compleanno",
"edit_profile.fields.birthday_placeholder": "Il tuo compleanno",
"edit_profile.fields.bot_label": "Questo account è un bot",
@ -441,37 +431,37 @@
"edit_profile.fields.website_label": "Sito web",
"edit_profile.fields.website_placeholder": "Mostra il link",
"edit_profile.header": "Modifica il tuo profilo",
"edit_profile.hints.accepts_email_list": "Potresti ricevere informazioni e promozioni, di tanto in tanto",
"edit_profile.hints.accepts_email_list": "Potresti ricevere informazioni e promozioni, di tanto in tanto.",
"edit_profile.hints.avatar": "PNG, GIF o JPG. Verrà ridimensionato: {size}",
"edit_profile.hints.bot": "Questo profilo svolge prevalentemente attività automatiche e potrebbe non essere presidiato da una persona",
"edit_profile.hints.discoverable": "Mostra il profilo nel catalogo delle istanze e permetti che sia indicizzato da servizi esterni",
"edit_profile.hints.header": "PNG, GIF o JPG. Verrà ridimensionato: {size}",
"edit_profile.hints.hide_network": "Evita di mostrare Following e Follower nel profilo pubblico",
"edit_profile.hints.locked": "Approva manualmente le richieste da nuove persone Follower",
"edit_profile.hints.meta_fields": "Puoi mostrare fino a {count, plural, one {# campo personalizzato} other {# campi personalizzati}} sul tuo profilo",
"edit_profile.hints.meta_fields": "Sul tuo profilo, puoi mostrare fino a {count, plural, one {# campo personalizzato} other {# campi personalizzati}}.",
"edit_profile.hints.stranger_notifications": "Per ricevere notifiche solamente dalle persone che segui",
"edit_profile.save": "Salva",
"edit_profile.success": "Profilo aggiornato!",
"email_confirmation.success": "Your email has been confirmed!",
"email_passthru.confirmed.body": "Close this tab and continue the registration process on the {bold} from which you sent this email confirmation.",
"email_passthru.confirmed.heading": "Email Confirmed!",
"email_passthru.fail.expired": "Your email token has expired",
"email_passthru.fail.generic": "Unable to confirm your email",
"email_passthru.fail.invalid_token": "Your token is invalid",
"email_passthru.fail.not_found": "Your email token is invalid.",
"email_passthru.generic_fail.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong",
"email_passthru.success": "Your email has been verified!",
"email_passthru.token_expired.body": "Your email token has expired. Please request a new email confirmation from the {bold} from which you sent this email confirmation.",
"email_passthru.token_expired.heading": "Token Expired",
"email_passthru.token_not_found.body": "Your email token was not found. Please request a new email confirmation from the {bold} from which you sent this email confirmation.",
"email_passthru.token_not_found.heading": "Invalid Token",
"email_confirmation.success": "L'indirizzo email è stato confermato!",
"email_passthru.confirmed.body": "Chiudi questo Tab e continua la procedura di registrazione su {bold} a cui hai spedito questa conferma email.",
"email_passthru.confirmed.heading": "Indirizzo e-mail confermato.",
"email_passthru.fail.expired": "Il tuo token e-mail è scaduto",
"email_passthru.fail.generic": "Impossibile confermare la tua email",
"email_passthru.fail.invalid_token": "Il tuo Token non è valido",
"email_passthru.fail.not_found": "Il tuo Token email non è valido.",
"email_passthru.generic_fail.body": "Per favore, richiedi una nuova conferma email.",
"email_passthru.generic_fail.heading": "Qualcosa è andato storto",
"email_passthru.success": "La tua email è stata verificata!",
"email_passthru.token_expired.body": "Il tuo Token email è scaduto. Per favore, richiedi una nuova conferma via mail dal {bold} da cui è stata inviata questa conferma email.",
"email_passthru.token_expired.heading": "Token scaduto",
"email_passthru.token_not_found.body": "Non abbiamo trovato il tuo Token email. Per favore, richiedi una nuova conferma email da {bold} da cui hai spedito questa conferma email.",
"email_passthru.token_not_found.heading": "Token non valido",
"email_verification.email.label": "E-mail address",
"email_verification.fail": "Failed to request email verification.",
"email_verification.header": "Enter your email address",
"email_verification.success": "Verification email sent successfully.",
"email_verification.taken": "is taken",
"email_verifilcation.exists": "This email has already been taken.",
"email_verification.fail": "Fallimento nella richiesta della verifica email.",
"email_verification.header": "Indica il tuo indirizzo email",
"email_verification.success": "La email di verifica è stata recapitata con successo.",
"email_verification.taken": "non è disponibile",
"email_verifilcation.exists": "Questo indirizzo email non è disponibile.",
"embed.instructions": "Inserisci questo status nel tuo sito copiando il codice qui sotto.",
"emoji_button.activity": "Attività",
"emoji_button.custom": "Personalizzato",
@ -479,20 +469,20 @@
"emoji_button.food": "Cibo e bevande",
"emoji_button.label": "Inserisci emoji",
"emoji_button.nature": "Natura",
"emoji_button.not_found": "Nessun emojos!! (╯°□°)╯︵ ┻━┻",
"emoji_button.not_found": "Niente emoji?! (╯°□°)╯︵ ┻━┻",
"emoji_button.objects": "Oggetti",
"emoji_button.people": "Persone",
"emoji_button.recent": "Usati di frequente",
"emoji_button.search": "Cerca...",
"emoji_button.search": "Cerca",
"emoji_button.search_results": "Risultati della ricerca",
"emoji_button.symbols": "Simboli",
"emoji_button.travel": "Viaggi e luoghi",
"empty_column.account_blocked": "You are blocked by @{accountUsername}.",
"empty_column.account_favourited_statuses": "Questo profilo non ha ancora preferito alcuna pubblicazione",
"empty_column.account_timeline": "Qui non ci sono pubblicazioni",
"empty_column.account_blocked": "Profilo bloccato da @{accountUsername}.",
"empty_column.account_favourited_statuses": "Questo profilo non ha ancora preferito alcuna pubblicazione.",
"empty_column.account_timeline": "Qui non ci sono pubblicazioni!",
"empty_column.account_unavailable": "Profilo non disponibile",
"empty_column.aliases": "You haven't created any account alias yet.",
"empty_column.aliases.suggestions": "Non ci sono profili suggeriti per il termine immesso",
"empty_column.aliases": "Non hai ancora creato alcun alias.",
"empty_column.aliases.suggestions": "Non ci sono profili suggeriti per il termine immesso.",
"empty_column.blocks": "Non hai ancora bloccato nessuna persona.",
"empty_column.bookmarks": "Non hai ancora salvato alcun segnalibro. Quando inizierai a salvarne, compariranno qui.",
"empty_column.community": "La timeline locale è vuota. Condividi qualcosa pubblicamente per dare inizio alla festa!",
@ -500,19 +490,19 @@
"empty_column.domain_blocks": "Non vi sono domini nascosti.",
"empty_column.favourited_statuses": "Non hai ancora segnato alcuna pubblicazione come preferita. Quando lo farai, apparirà qui.",
"empty_column.favourites": "Nessuna persona ha ancora preferito questa pubblicazione. Quando qualcuna lo farà, apparirà qui.",
"empty_column.filters": "Non hai ancora filtrato alcuna parola",
"empty_column.follow_recommendations": "Sembra che non ci siano profili suggeriti da Prova a cercare quelli di persone che potresti conoscere, oppure esplora gli hashtag di tendenza",
"empty_column.filters": "Non hai ancora filtrato alcuna parola.",
"empty_column.follow_recommendations": "Sembra che non ci siano profili suggeriti. Prova a cercare quelli di persone che potresti conoscere, oppure esplora gli hashtag di tendenza.",
"empty_column.follow_requests": "Non hai ancora ricevuto nessuna richiesta di seguirti. Quando ne arriveranno, saranno mostrate qui.",
"empty_column.hashtag": "Non c'è ancora nessuna pubblicazione con questo hashtag.",
"empty_column.home": "Non stai ancora seguendo nessuno. Visita {public} o usa la ricerca per incontrare nuove persone.",
"empty_column.home.local_tab": "la «Timeline Locale» di {site_title}",
"empty_column.home.subtitle": "{siteTitle} gets more interesting once you follow other users.",
"empty_column.home.title": "You're not following anyone yet",
"empty_column.home.subtitle": "{siteTitle} diventa più interessante se inizi a seguire altri profili.",
"empty_column.home.title": "Non stai ancora seguendo profili",
"empty_column.list": "Questa lista è vuota, si riempirà quando le persone che hai inserito pubblicheranno qualcosa.",
"empty_column.lists": "Non hai creato alcuna lista. Al momento opportuno, compariranno qui",
"empty_column.mutes": "Non hai ancora silenziato nessuna persona",
"empty_column.lists": "Non hai creato alcuna lista. Al momento opportuno, compariranno qui.",
"empty_column.mutes": "Non hai ancora silenziato nessun profilo.",
"empty_column.notifications": "Non hai ancora nessuna notifica. Interagisci con altri per iniziare conversazioni.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.notifications_filtered": "Non hai ancora ricevuto notifiche di questo tipo.",
"empty_column.public": "Qui non c'è nulla! Per riempire questo spazio puoi scrivere qualcosa pubblicamente o seguire qualche persona da altre istanze",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "Non hai ancora pianificato alcuna pubblicazione, quando succederà, saranno elencate qui",
@ -647,7 +637,7 @@
"lists.new.title_placeholder": "Digita il titolo della nuova lista ...",
"lists.search": "Digita @nome ... Premi il bottone",
"lists.subheading": "Le tue liste",
"loading_indicator.label": "Caricamento...",
"loading_indicator.label": "Caricamento",
"login.fields.instance_label": "Istanza",
"login.fields.instance_placeholder": "esempio.it",
"login.fields.otp_code_hint": "Compila col codice OTP generato dalla app, oppure usa uno dei codici di recupero",
@ -822,7 +812,6 @@
"preferences.fields.display_media.default": "Nascondi solo quelli «sensibili» (NSFW)",
"preferences.fields.display_media.hide_all": "Nascondili tutti",
"preferences.fields.display_media.show_all": "Mostrali tutti",
"preferences.fields.dyslexic_font_label": "Modalità dislessia",
"preferences.fields.expand_spoilers_label": "Espandi automaticamente le pubblicazioni segnate «con avvertimento» (CW)",
"preferences.fields.language_label": "Lingua",
"preferences.fields.media_display_label": "Visualizzazione dei media",
@ -834,7 +823,6 @@
"preferences.fields.underline_links_label": "Link sempre sottolineati",
"preferences.fields.unfollow_modal_label": "Richiedi conferma per smettere di seguire",
"preferences.hints.demetricator": "Diminuisci l'ansia, nascondendo tutti i conteggi",
"preferences.hints.feed": "Nella timeline personale",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Testo semplice",
@ -1016,7 +1004,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "Mostra",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright nel fondo",
@ -1029,8 +1016,6 @@
"soapbox_config.display_fqn_label": "Mostra il dominio (es: @profilo@dominio) dei profili locali",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Indirizzi di wallet",
"soapbox_config.fields.home_footer_fields_label": "Link nel fondo delle pagine statiche",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1124,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Tutto",
"tabs_bar.chats": "Chat",
"tabs_bar.dashboard": "Cruscotto",
"tabs_bar.fediverse": "Timeline Federata",
"tabs_bar.home": "Home",
@ -1164,7 +1148,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona ne sta} other {persone ne stanno}} parlando",
"trends.title": "Trends",
"trendsPanel.viewAll": "Di più",
"ui.beforeunload": "La bozza andrà persa se esci da Soapbox.",
"unauthorized_modal.text": "Devi eseguire l'autenticazione per fare questo",
"unauthorized_modal.title": "Iscriviti su {site_title}",
"upload_area.title": "Trascina per caricare",
@ -1177,7 +1160,7 @@
"upload_form.description": "Descrizione a persone potratrici di disabilità visive",
"upload_form.preview": "Anteprima",
"upload_form.undo": "Annulla",
"upload_progress.label": "Caricamento...",
"upload_progress.label": "Caricamento",
"video.close": "Chiudi",
"video.download": "Download",
"video.exit_fullscreen": "Esci dalla modalità a schermo intero",

View File

@ -1,23 +1,23 @@
{
"about.also_available": "Available in:",
"about.also_available": "利用可能:",
"accordion.collapse": "折り畳む",
"accordion.expand": "開く",
"account.add_or_remove_from_list": "リストから追加または外す",
"account.badges.bot": "Bot",
"account.birthday": "Born {date}",
"account.birthday_today": "Birthday is today!",
"account.birthday": "生年月日 {date}",
"account.birthday_today": "本日は誕生日です!",
"account.block": "@{name}さんをブロック",
"account.block_domain": "{domain}全体を非表示",
"account.blocked": "ブロック済み",
"account.chat": "Chat with @{name}",
"account.deactivated": "Deactivated",
"account.chat": "@{name}さんとチャット",
"account.deactivated": "非アクティブ化",
"account.direct": "@{name}さんにダイレクトメッセージ",
"account.domain_blocked": "Domain hidden",
"account.domain_blocked": "ドメイン非表示",
"account.edit_profile": "プロフィール編集",
"account.endorse": "プロフィールで紹介する",
"account.endorse.success": "You are now featuring @{acct} on your profile",
"account.familiar_followers": "Followed by {accounts}",
"account.familiar_followers.empty": "No one you know follows {name}.",
"account.endorse.success": "プロフィールで@{acct}を紹介しています",
"account.familiar_followers": "{accounts}にフォローされています",
"account.familiar_followers.empty": "あなたの知り合いで{name}さんをフォローしている人はいません。",
"account.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "フォロー",
"account.followers": "フォロワー",
@ -25,9 +25,9 @@
"account.follows": "フォロー",
"account.follows.empty": "まだ誰もフォローしていません。",
"account.follows_you": "フォローされています",
"account.header.alt": "Profile header",
"account.header.alt": "プロフィールのヘッダー",
"account.hide_reblogs": "@{name}さんからのリピートを非表示",
"account.last_status": "Last active",
"account.last_status": "最後の活動",
"account.link_verified_on": "このリンクの所有権は{date}に確認されました",
"account.locked_info": "このアカウントは承認制アカウントです。相手が承認するまでフォローは完了しません。",
"account.login": "ログイン",
@ -35,23 +35,23 @@
"account.member_since": "{date}から利用しています",
"account.mention": "さんに投稿",
"account.mute": "@{name}さんをミュート",
"account.muted": "Muted",
"account.muted": "ミュートしています",
"account.never_active": "Never",
"account.posts": "投稿",
"account.posts_with_replies": "投稿と返信",
"account.profile": "プロフィール",
"account.profile_external": "View profile on {domain}",
"account.profile_external": "{domain}でプロフィールを表示",
"account.register": "新規登録",
"account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.remote_follow": "リモートフォロー",
"account.remove_from_followers": "フォロワーから外す",
"account.report": "@{name}さんを通報",
"account.requested": "フォロー承認待ちです。クリックしてキャンセル",
"account.requested_small": "承認待ち",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.search": "@{name}さんを検索",
"account.search_self": "自分の投稿を検索",
"account.share": "@{name}さんのプロフィールを共有する",
"account.show_reblogs": "@{name}さんからのリピートを表示",
"account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribe": "@{name}さんからの通知を受け取る",
"account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "@{name}さんのブロックを解除",
@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "不明なエラーが発生しました。",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "エラー!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "コンポーネントの読み込み中に問題が発生しました。",
"bundle_modal_error.retry": "再試行",
"card.back.label": "Back",
"chat_box.actions.send": "送信",
"chat_box.input.placeholder": "メッセージを送信……",
"chat_panels.main_window.empty": "チャットがありません。始めるにはユーザのプロフィール画面へ移動してください。",
"chat_panels.main_window.title": "チャット",
"chat_window.close": "Close chat",
"chats.actions.delete": "メッセージを削除",
"chats.actions.more": "もっと",
"chats.actions.report": "ユーザを通報",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "音声通知をOFF",
"chats.audio_toggle_on": "音声通知をON",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "接続しているすべてのネットワーク",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox設定",
"column.test": "Test timeline",
"column_back_button.label": "戻る",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "フォロー解除",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "本当に{name}さんのフォローを解除しますか?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -483,7 +469,7 @@
"emoji_button.objects": "物",
"emoji_button.people": "人々",
"emoji_button.recent": "よく使う絵文字",
"emoji_button.search": "検索...",
"emoji_button.search": "検索",
"emoji_button.search_results": "検索結果",
"emoji_button.symbols": "記号",
"emoji_button.travel": "旅行と場所",
@ -647,7 +633,7 @@
"lists.new.title_placeholder": "新規リスト名",
"lists.search": "フォローしている人の中から検索",
"lists.subheading": "あなたのリスト",
"loading_indicator.label": "読み込み中...",
"loading_indicator.label": "読み込み中",
"login.fields.instance_label": "Instance",
"login.fields.instance_placeholder": "example.com",
"login.fields.otp_code_hint": "Enter the two-factor code generated by your phone app or use one of your recovery codes",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "コンテンツ警告のついた投稿を常に開く",
"preferences.fields.language_label": "言語",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1119,7 +1100,7 @@
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "ブックマークを解除",
"status.unbookmarked": "Bookmark removed.",
"status.unbookmarked": "ブックマークを解除しました。",
"status.unmute_conversation": "会話のミュートを解除",
"status.unpin": "プロフィールへの固定を解除",
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
@ -1139,47 +1120,45 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "チャット",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.dashboard": "ダッシュボード",
"tabs_bar.fediverse": "フェディバース",
"tabs_bar.home": "ホーム",
"tabs_bar.local": "Local",
"tabs_bar.more": "More",
"tabs_bar.local": "ローカル",
"tabs_bar.more": "その他",
"tabs_bar.notifications": "通知",
"tabs_bar.profile": "Profile",
"tabs_bar.profile": "プロフィール",
"tabs_bar.search": "検索",
"tabs_bar.settings": "Settings",
"theme_toggle.dark": "Dark",
"theme_toggle.light": "Light",
"theme_toggle.system": "System",
"thread_login.login": "Log in",
"thread_login.message": "Join {siteTitle} to get the full story and details.",
"thread_login.signup": "Sign up",
"thread_login.title": "Continue the conversation",
"tabs_bar.settings": "設定",
"theme_toggle.dark": "ダーク",
"theme_toggle.light": "ライト",
"theme_toggle.system": "システム",
"thread_login.login": "ログイン",
"thread_login.message": "{siteTitle}に参加すると、全文と詳細が表示されます。",
"thread_login.signup": "サインアップ",
"thread_login.title": "会話を続ける",
"time_remaining.days": "残り{number}日",
"time_remaining.hours": "残り{number}時間",
"time_remaining.minutes": "残り{number}分",
"time_remaining.moments": "まもなく終了",
"time_remaining.seconds": "残り{number}秒",
"trends.count_by_accounts": "{count}人が投稿",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Soapboxから離れると送信前の投稿は失われます。",
"trends.title": "トレンド",
"trendsPanel.viewAll": "すべて表示",
"unauthorized_modal.text": "ログインする必要があります。",
"unauthorized_modal.title": "{site_title}へ新規登録",
"upload_area.title": "ドラッグ&ドロップでアップロード",
"upload_button.label": "メディアを追加 (JPG, PNG, GIF, WebM, MP4, MOV)",
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.image_size_limit": "画像が現在のファイルサイズ制限({limit})を越えています",
"upload_error.limit": "アップロードできる上限を超えています。",
"upload_error.poll": "アンケートではファイルをアップロードできません。",
"upload_error.video_duration_limit": "Video exceeds the current duration limit ({limit} seconds)",
"upload_error.video_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_error.video_duration_limit": "動画が現在の継続時間制限({limit}秒)を超えています",
"upload_error.video_size_limit": "動画が現在のファイルサイズ制限({limit})を越えています",
"upload_form.description": "視覚障害者のための説明",
"upload_form.preview": "Preview",
"upload_form.preview": "プレビュー",
"upload_form.undo": "削除",
"upload_progress.label": "アップロード中...",
"upload_progress.label": "アップロード中",
"video.close": "動画を閉じる",
"video.download": "Download file",
"video.download": "ファイルをダウンロードする",
"video.exit_fullscreen": "全画面を終了する",
"video.expand": "動画を拡大する",
"video.fullscreen": "全画面",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "წარმოიშვა მოულოდნელი შეცდომა.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "უპს!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "ამ კომპონენტის ჩატვირთვისას რაღაც აირია.",
"bundle_modal_error.retry": "სცადეთ კიდევ ერთხელ",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "ფედერალური თაიმლაინი",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "უკან",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "ნუღარ მიჰყვები",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "დარწმუნებული ხართ, აღარ გსურთ მიჰყვებოდეთ {name}-ს?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "სახლი",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} საუბრობს",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "თქვენი დრაფტი გაუქმდება თუ დატოვებთ მასტოდონს.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "გადმოწიეთ და ჩააგდეთ ასატვირთათ",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Бір нәрсе дұрыс болмады.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Өй!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Бұл компонентті жүктеген кезде бір қате пайда болды.",
"bundle_modal_error.retry": "Қайтадан көріңіз",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Жаһандық желі",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Артқа",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Оқымау",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "\"{name} атты қолданушыға енді жазылғыңыз келмей ме?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Басты бет",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# минут} other {# минут}}",
"time_remaining.moments": "Қалған уақыт",
"time_remaining.seconds": "{number, plural, one {# секунд} other {# секунд}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} жазған екен",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Soapbox желісінен шықсаңыз, нобайыңыз сақталмайды.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Жүктеу үшін сүйреп әкеліңіз",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "예측하지 못한 에러가 발생했습니다.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "앗!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "컴포넌트를 불러오는 과정에서 문제가 발생했습니다.",
"bundle_modal_error.retry": "다시 시도",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "연합 타임라인",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "돌아가기",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "언팔로우",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "정말로 {name}를 언팔로우하시겠습니까?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "홈",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number} 분 남음",
"time_remaining.moments": "남은 시간",
"time_remaining.seconds": "{number} 초 남음",
"toast.view": "View",
"trends.count_by_accounts": "{count} 명의 사람들이 말하고 있습니다",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "지금 나가면 저장되지 않은 항목을 잃게 됩니다.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "드래그 & 드롭으로 업로드",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Negaidīta kļūda.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Kaut kas nogāja greizi ielādējot šo komponenti.",
"bundle_modal_error.retry": "Mēģini vēlreiz",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federatīvā laika līnija",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Atpakaļ",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Nesekot",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Vai tiešam vairs nevēlies sekot lietotājam {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Неочекувана грешка.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Упс!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Настана грешка при прикажувањето на оваа веб-страница.",
"bundle_modal_error.retry": "Обидете се повторно",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Дома",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Something went wrong while loading this modal.",
"bundle_modal_error.retry": "Try again",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federated timeline",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Unfollow",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Er deed zich een onverwachte fout voor",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oeps!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Tijdens het laden van dit onderdeel is er iets fout gegaan.",
"bundle_modal_error.retry": "Opnieuw proberen",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Globale tijdlijn",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Terug",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Ontvolgen",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Weet je het zeker dat je {name} wilt ontvolgen?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Start",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuut} other {# minuten}} te gaan",
"time_remaining.moments": "Nog enkele ogenblikken resterend",
"time_remaining.seconds": "{number, plural, one {# seconde} other {# seconden}} te gaan",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persoon praat} other {mensen praten}} hierover",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Je concept zal verloren gaan als je Soapbox verlaat.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Hiernaar toe slepen om te uploaden",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Eit uforventa problem har hendt.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Noko gikk gale mens komponent var i ferd med å bli nedlasta.",
"bundle_modal_error.retry": "Prøv igjen",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federert samtid",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tilbake",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Avfølj",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Er du sikker på at du vill avfølje {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Heim",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Drag & drop to upload",

View File

@ -16,18 +16,18 @@
"account.edit_profile": "Rediger profil",
"account.endorse": "Feature on profile",
"account.endorse.success": "You are now featuring @{acct} on your profile",
"account.familiar_followers": "Followed by {accounts}",
"account.familiar_followers.empty": "No one you know follows {name}.",
"account.familiar_followers": "Fulgt av {accounts}",
"account.familiar_followers.empty": "Ingen av dere følger {name}.",
"account.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Følg",
"account.followers": "Følgere",
"account.followers.empty": "No one follows this user yet.",
"account.followers.empty": "Ingen følger denne brukeren.",
"account.follows": "Følger",
"account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows.empty": "Denne brukeren følger ingen enda.",
"account.follows_you": "Følger deg",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Skjul fremhevinger fra @{name}",
"account.last_status": "Last active",
"account.last_status": "Sist aktiv",
"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.login": "Log in",
@ -63,7 +63,7 @@
"account.unsubscribe": "Unsubscribe to notifications from @{name}",
"account.unsubscribe.failure": "An error occurred trying to unsubscribe to this account.",
"account.unsubscribe.success": "You have unsubscribed from this account.",
"account.verified": "Verified Account",
"account.verified": "Bekreftet konto",
"account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
@ -71,29 +71,29 @@
"account_moderation_modal.fields.deactivate": "Deactivate account",
"account_moderation_modal.fields.delete": "Delete account",
"account_moderation_modal.fields.suggested": "Suggested in people to follow",
"account_moderation_modal.fields.verified": "Verified account",
"account_moderation_modal.fields.verified": "Bekreftet konto",
"account_moderation_modal.info.id": "ID: {id}",
"account_moderation_modal.roles.admin": "Admin",
"account_moderation_modal.roles.moderator": "Moderator",
"account_moderation_modal.roles.user": "User",
"account_moderation_modal.title": "Moderate @{acct}",
"account_moderation_modal.title": "Moderer @{acct}",
"account_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):",
"account_note.placeholder": "No comment provided",
"account_note.save": "Save",
"account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account",
"actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!",
"actualStatuses.quote_tombstone": "Utilgjengelig post.",
"admin.awaiting_approval.approved_message": "{acct} ble godkjent.",
"admin.awaiting_approval.empty_message": "There is nobody waiting for approval. When a new user signs up, you can review them here.",
"admin.awaiting_approval.rejected_message": "{acct} was rejected.",
"admin.awaiting_approval.rejected_message": "{acct} ble avslått.",
"admin.dashboard.registration_mode.approval_hint": "Users can sign up, but their account only gets activated when an admin approves it.",
"admin.dashboard.registration_mode.approval_label": "Approval Required",
"admin.dashboard.registration_mode.approval_label": "Godkjenning kreves",
"admin.dashboard.registration_mode.closed_hint": "Nobody can sign up. You can still invite people.",
"admin.dashboard.registration_mode.closed_label": "Closed",
"admin.dashboard.registration_mode.open_hint": "Anyone can join.",
"admin.dashboard.registration_mode.closed_label": "Lukket",
"admin.dashboard.registration_mode.open_hint": "Alle kan ta del.",
"admin.dashboard.registration_mode.open_label": "Open",
"admin.dashboard.registration_mode_label": "Registrations",
"admin.dashboard.registration_mode_label": "Registreringer",
"admin.dashboard.settings_saved": "Settings saved!",
"admin.dashcounters.domain_count_label": "peers",
"admin.dashcounters.mau_label": "monthly active users",
@ -116,9 +116,9 @@
"admin.statuses.status_deleted_message": "Post by @{acct} was deleted",
"admin.statuses.status_marked_message_not_sensitive": "Post by @{acct} was marked not sensitive",
"admin.statuses.status_marked_message_sensitive": "Post by @{acct} was marked sensitive",
"admin.user_index.empty": "No users found.",
"admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.user_index.empty": "Fant ingen brukere.",
"admin.user_index.search_input_placeholder": "Hvem ser du etter?",
"admin.users.actions.deactivate_user": "Deaktiver @{name}",
"admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
@ -147,19 +147,18 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account.add": "Opprett alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
"aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name",
"app_create.name_label": "Programnavn",
"app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs",
"app_create.restart": "Create another",
"app_create.results.app_label": "App",
"app_create.results.app_label": "Program",
"app_create.results.explanation_text": "You created a new app and token! Please copy the credentials somewhere; you will not see them again after navigating away from this page.",
"app_create.results.explanation_title": "App created successfully",
"app_create.results.token_label": "OAuth token",
@ -169,8 +168,8 @@
"app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup",
"auth_layout.register": "Opprett en konto",
"backups.actions.create": "Opprett sikkerhetskopi",
"backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?",
"backups.pending": "Pending",
@ -185,19 +184,10 @@
"bundle_modal_error.close": "Lukk",
"bundle_modal_error.message": "Noe gikk galt da denne komponenten lastet.",
"bundle_modal_error.retry": "Prøv igjen",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"card.back.label": "Tilbake",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -205,30 +195,30 @@
"column.admin.moderation_log": "Moderation Log",
"column.admin.reports": "Reports",
"column.admin.reports.menu.moderation_log": "Moderation Log",
"column.admin.users": "Users",
"column.admin.users": "Brukere",
"column.aliases": "Account aliases",
"column.aliases.create_error": "Error creating alias",
"column.aliases.create_error": "Kunne ikke opprette alias",
"column.aliases.delete": "Delete",
"column.aliases.delete_error": "Error deleting alias",
"column.aliases.subheading_add_new": "Add New Alias",
"column.aliases.subheading_aliases": "Current aliases",
"column.app_create": "Create app",
"column.backups": "Backups",
"column.birthdays": "Birthdays",
"column.aliases.delete_error": "Kunne ikke slette alias",
"column.aliases.subheading_add_new": "Legg til nytt alias",
"column.aliases.subheading_aliases": "Nåværende alias",
"column.app_create": "Opprett program",
"column.backups": "Sikkerhetskopier",
"column.birthdays": "Geburtsdager",
"column.blocks": "Blokkerte brukere",
"column.bookmarks": "Bookmarks",
"column.chats": "Chats",
"column.bookmarks": "Bokmerker",
"column.chats": "Sludringer",
"column.community": "Lokal tidslinje",
"column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers",
"column.crypto_donate": "Doner kryptovaluta",
"column.developers": "Utviklere",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages",
"column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile",
"column.directory": "Utforsk profiler",
"column.domain_blocks": "Skjulte domener",
"column.edit_profile": "Rediger profil",
"column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts",
"column.favourited_statuses": "Likte innlegg",
"column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions",
"column.filters": "Muted words",
@ -258,25 +248,23 @@
"column.lists": "Lister",
"column.mentions": "Mentions",
"column.mfa": "Multi-Factor Authentication",
"column.mfa_cancel": "Cancel",
"column.mfa_confirm_button": "Confirm",
"column.mfa_disable_button": "Disable",
"column.mfa_setup": "Proceed to Setup",
"column.mfa_cancel": "Avbryt",
"column.mfa_confirm_button": "Bekreft",
"column.mfa_disable_button": "Skru av",
"column.mfa_setup": "Fortsett til oppsett",
"column.migration": "Account migration",
"column.mutes": "Dempede brukere",
"column.notifications": "Varsler",
"column.pins": "Pinned posts",
"column.preferences": "Preferences",
"column.pins": "Festede innlegg",
"column.preferences": "Innstillinger",
"column.public": "Felles tidslinje",
"column.reactions": "Reactions",
"column.reactions": "Reaksjoner",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tilbake",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -319,7 +307,7 @@
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
"confirmations.admin.deactivate_user.message": "You are about to deactivate @{acct}. Deactivating a user is a reversible action.",
"confirmations.admin.delete_local_user.checkbox": "I understand that I am about to delete a local user.",
"confirmations.admin.delete_local_user.checkbox": "Jeg forstår at jeg er i ferd med å slette en lokal bruker.",
"confirmations.admin.delete_status.confirm": "Delete post",
"confirmations.admin.delete_status.heading": "Delete post",
"confirmations.admin.delete_status.message": "You are about to delete a post by @{acct}. This action cannot be undone.",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Slutt å følge",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Er du sikker på at du vil slutte å følge {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -381,27 +367,27 @@
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!",
"datepicker.day": "Day",
"datepicker.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month",
"datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer",
"datepicker.month": "Måned",
"datepicker.next_month": "Neste måned",
"datepicker.next_year": "Neste år",
"datepicker.previous_month": "Forrige måned",
"datepicker.previous_year": "Forrige år",
"datepicker.year": "År",
"developers.challenge.answer_label": "Svar",
"developers.challenge.answer_placeholder": "Ditt svar",
"developers.challenge.fail": "Feil svar",
"developers.challenge.message": "What is the result of calling {function}?",
"developers.challenge.submit": "Become a developer",
"developers.challenge.success": "You are now a developer",
"developers.leave": "You have left developers",
"developers.navigation.app_create_label": "Create an app",
"developers.challenge.submit": "Bli utvikler",
"developers.challenge.success": "Du er nå en utvikler",
"developers.leave": "Du har forlatt utviklerlaget",
"developers.navigation.app_create_label": "Opprett et program",
"developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.leave_developers_label": "Forlat utviklerlaget",
"developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline",
"developers.settings_store.advanced": "Advanced settings",
"developers.settings_store.advanced": "Avanserte innstillinger",
"developers.settings_store.hint": "It is possible to directly edit your user settings here. BE CAREFUL! Editing this section can break your account, and you will only be able to recover through the API.",
"direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hjem",
@ -1164,7 +1144,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Din kladd vil bli forkastet om du forlater Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Dra og slipp for å laste opp",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Una error ses producha.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Quicòm a fach mèuca pendent lo cargament daqueste compausant.",
"bundle_modal_error.retry": "Tornar ensajar",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Flux public global",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tornar",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Quitar de sègre",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Volètz vertadièrament quitar de sègre {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Acuèlh",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "demòra{number, plural, one { # minuta} other {n # minutas}}",
"time_remaining.moments": "Moments restants",
"time_remaining.seconds": "demòra{number, plural, one { # segonda} other {n # segondas}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Vòstre brolhon serà perdut se quitatz Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Lisatz e depausatz per mandar",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Wsparcie techniczne",
"alert.unexpected.message": "Wystąpił nieoczekiwany błąd.",
"alert.unexpected.return_home": "Wróć na stronę główną",
"alert.unexpected.title": "O nie!",
"aliases.account.add": "Utwórz alias",
"aliases.account_label": "Stare konto:",
"aliases.aliases_list_delete": "Odłącz alias",
@ -186,88 +185,10 @@
"bundle_modal_error.message": "Coś poszło nie tak podczas ładowania tego składnika.",
"bundle_modal_error.retry": "Spróbuj ponownie",
"card.back.label": "Wstecz",
"chat.actions.send": "Wyślij",
"chat.failed_to_send": "Nie udało się wysłać",
"chat.input.placeholder": "Wprowadź wiadomość",
"chat.page_settings.accepting_messages.label": "Pozwól innym rozpoczynać rozmowy z Tobą",
"chat.page_settings.play_sounds.label": "Odtwarzaj dźwięk gdy dostaniesz wiadomość",
"chat.page_settings.preferences": "Preferencje",
"chat.page_settings.privacy": "Prywatność",
"chat.page_settings.submit": "Zapisz",
"chat.page_settings.title": "Ustawienia wiadomości",
"chat.retry": "Spróbować ponownie?",
"chat.welcome.accepting_messages.label": "Pozwól innym rozpoczynać rozmowy z Tobą",
"chat.welcome.notice": "Możesz zmienić te ustawienia później.",
"chat.welcome.submit": "Zapisz i kontynuuj",
"chat.welcome.subtitle": "Wymieniaj się bezpośrednimi wiadomościami z innymi.",
"chat.welcome.title": "Witaj w {br} Czatach!",
"chat_composer.unblock": "Odblokuj",
"chat_list_item.blocked_you": "Ten użytkownik Cię zablokował",
"chat_list_item.blocking": "Zablokowałeś(-aś) tego użytkownika",
"chat_message_list.blocked": "Blokujesz tego użytkownika",
"chat_message_list.blockedBy": "Jesteś zablokowany(-a)",
"chat_message_list.network_failure.action": "Spróbuj ponownie",
"chat_message_list.network_failure.subtitle": "Wystąpił błąd sieci.",
"chat_message_list.network_failure.title": "O nie!",
"chat_message_list_intro.actions.accept": "Akceptuj",
"chat_message_list_intro.actions.leave_chat": "Opuść czat",
"chat_message_list_intro.actions.message_lifespan": "Wiadomości starsze niż {day} dni są usuwane.",
"chat_message_list_intro.actions.report": "Zgłoś",
"chat_message_list_intro.intro": "chce rozpocząć z Tobą rozmowę",
"chat_message_list_intro.leave_chat.confirm": "Opuść czat",
"chat_message_list_intro.leave_chat.heading": "Opuść czat",
"chat_message_list_intro.leave_chat.message": "Czy na pewno chcesz opuścić ten czat? Wiadomości zostaną usunięte dla Ciebie, a rozmowa zniknie ze skrzynki.",
"chat_box.actions.send": "Wyślij",
"chat_box.input.placeholder": "Wyślij wiadomość…",
"chat_panels.main_window.empty": "Nie znaleziono rozmów. Aby zacząć rozmowę, odwiedź profil użytkownika.",
"chat_panels.main_window.title": "Rozmowy",
"chat_search.blankslate.body": "Znajdź kogoś, z kim chcesz rozpocząć rozmowę.",
"chat_search.blankslate.title": "Rozpocznij czat",
"chat_search.empty_results_blankslate.action": "Napisz do kogoś",
"chat_search.empty_results_blankslate.body": "Szukaj dla innej nazwy.",
"chat_search.empty_results_blankslate.title": "Brak dopasowań",
"chat_search.title": "Wiadomości",
"chat_settings.auto_delete.14days": "14 dni",
"chat_settings.auto_delete.2minutes": "2 minuty",
"chat_settings.auto_delete.30days": "30 dni",
"chat_settings.auto_delete.7days": "7 dni",
"chat_settings.auto_delete.90days": "90 dni",
"chat_settings.auto_delete.days": "{day} dni",
"chat_settings.auto_delete.hint": "Wysyłane wiadomości będą automatycznie usuwane po wybranym czasie",
"chat_settings.auto_delete.label": "Automatycznie usuwaj wiadomości",
"chat_settings.block.confirm": "Blokuj",
"chat_settings.block.heading": "Blokuj @{acct}",
"chat_settings.block.message": "Po zablokowaniu profilu, ta osoba nie będzie mogła wysyłać Ci wiadomości i przeglądać Twoich treści. Możesz odblokować ją później.",
"chat_settings.leave.confirm": "Opuść czat",
"chat_settings.leave.heading": "Opuść czat",
"chat_settings.leave.message": "Czy na pewno chcesz opuścić ten czat? Wiadomości zostaną usunięte dla Ciebie, a rozmowa zniknie ze skrzynki.",
"chat_settings.options.block_user": "Blokuj @{acct}",
"chat_settings.options.leave_chat": "Opuść czat",
"chat_settings.options.report_user": "Zgłoś @{acct}",
"chat_settings.options.unblock_user": "Odblokuj @{acct}",
"chat_settings.title": "Szczegóły czatu",
"chat_settings.unblock.confirm": "Odblokuj",
"chat_settings.unblock.heading": "Odblokuj @{acct}",
"chat_settings.unblock.message": "Po odblokowaniu, ta osoba może wysyłać Ci wiadomości i przeglądać treści z Twojego profilu.",
"chat_window.auto_delete_label": "Automatycznie usuwaj po {day} dni",
"chat_window.auto_delete_tooltip": "Wiadomości z czatu będą usuwane po {day} dni od wysłania.",
"chat_window.close": "Zamknij czat",
"chats.actions.copy": "Kopiuj",
"chats.actions.delete": "Usuń wiadomość",
"chats.actions.deleteForMe": "Usuń dla mnie",
"chats.actions.more": "Więcej",
"chats.actions.report": "Zgłoś użytkownika",
"chats.attachment": "Załącznik",
"chats.attachment_image": "Zdjęcie",
"chats.audio_toggle_off": "Wyłączono dźwięk powiadomień",
"chats.audio_toggle_on": "Włączono dźwięk powiadomień",
"chats.dividers.today": "Dzisiaj",
"chats.main.blankslate.new_chat": "Napisz do kogoś",
"chats.main.blankslate.subtitle": "Znajdź kogoś, z kim chcesz rozpocząć rozmowę",
"chats.main.blankslate.title": "Brak wiadomości",
"chats.main.blankslate_with_chats.subtitle": "Wybierz jeden z rozpoczętych czatów lub utwórz nową wiadomość.",
"chats.main.blankslate_with_chats.title": "Wybierz czat",
"chats.new.to": "Do:",
"chats.search_placeholder": "Rozpocznij rozmowę z…",
"column.admin.awaiting_approval": "Oczekujące na przyjęcie",
"column.admin.dashboard": "Panel administracyjny",
@ -295,9 +216,6 @@
"column.directory": "Przeglądaj profile",
"column.domain_blocks": "Ukryte domeny",
"column.edit_profile": "Edytuj profil",
"column.event_map": "Miejsce wydarzenia",
"column.event_participants": "Uczestnicy wydarzenia",
"column.events": "Wydarzenia",
"column.export_data": "Eksportuj dane",
"column.familiar_followers": "Obserwujący {name} których znasz",
"column.favourited_statuses": "Polubione wpisy",
@ -340,16 +258,13 @@
"column.pins": "Przypięte wpisy",
"column.preferences": "Preferencje",
"column.public": "Globalna oś czasu",
"column.quotes": "Cytaty wpisu",
"column.reactions": "Reakcje",
"column.reblogs": "Podbicia",
"column.remote": "Sfederowana oś czasu",
"column.scheduled_statuses": "Zaplanowane wpisy",
"column.search": "Szukaj",
"column.settings_store": "Settings store",
"column.soapbox_config": "Konfiguracja Soapbox",
"column.test": "Testowa oś czasu",
"column_back_button.label": "Wróć",
"column_forbidden.body": "Nie masz uprawnień, aby odwiedzić tę stronę.",
"column_forbidden.title": "Niedozwolone",
"common.cancel": "Anuluj",
@ -359,33 +274,7 @@
"compose.edit_success": "Twój wpis został zedytowany",
"compose.invalid_schedule": "Musisz zaplanować wpis przynajmniej 5 minut wcześniej.",
"compose.submit_success": "Twój wpis został wysłany",
"compose_event.create": "Utwórz",
"compose_event.edit_success": "Wydarzenie zostało zedytowane",
"compose_event.fields.approval_required": "Chcę ręcznie zatwierdzać prośby o dołączenie",
"compose_event.fields.banner_label": "Baner wydarzenia",
"compose_event.fields.description_hint": "Obsługiwana jest składnia Markdown",
"compose_event.fields.description_label": "Opis wydarzenia",
"compose_event.fields.description_placeholder": "Opis",
"compose_event.fields.end_time_label": "Data zakończenia wydarzenia",
"compose_event.fields.end_time_placeholder": "Wydarzenie kończy się…",
"compose_event.fields.has_end_time": "Wydarzenie ma datę zakończenia",
"compose_event.fields.location_label": "Miejsce wydarzenia",
"compose_event.fields.name_label": "Nazwa wydarzenia",
"compose_event.fields.name_placeholder": "Nazwa",
"compose_event.fields.start_time_label": "Data rozpoczęcia wydarzenia",
"compose_event.fields.start_time_placeholder": "Wydarzenie rozpoczyna się…",
"compose_event.participation_requests.authorize": "Przyjmij",
"compose_event.participation_requests.authorize_success": "Przyjęto użytkownika",
"compose_event.participation_requests.reject": "Odrzuć",
"compose_event.participation_requests.reject_success": "Odrzucono użytkownika",
"compose_event.reset_location": "Resetuj miejsce",
"compose_event.submit_success": "Wydarzenie zostało utworzone",
"compose_event.tabs.edit": "Edytuj szczegóły",
"compose_event.tabs.pending": "Zarządzaj prośbami",
"compose_event.update": "Aktualizuj",
"compose_event.upload_banner": "Wyślij baner wydarzenia",
"compose_form.direct_message_warning": "Ten wpis będzie widoczny tylko dla wszystkich wspomnianych użytkowników.",
"compose_form.event_placeholder": "Opublikuj dla tego wydarzenia",
"compose_form.hashtag_warning": "Ten wpis nie będzie widoczny pod podanymi hashtagami, ponieważ jest oznaczony jako niewidoczny. Tylko publiczne wpisy mogą zostać znalezione z użyciem hashtagów.",
"compose_form.lock_disclaimer": "Twoje konto nie jest {locked}. Każdy, kto Cię obserwuje, może wyświetlać Twoje wpisy przeznaczone tylko dla obserwujących.",
"compose_form.lock_disclaimer.lock": "zablokowane",
@ -441,22 +330,15 @@
"confirmations.cancel_editing.confirm": "Anuluj edycję",
"confirmations.cancel_editing.heading": "Anuluj edycję wpisu",
"confirmations.cancel_editing.message": "Czy na pewno chcesz anulować edytowanie wpisu? Niezapisane zmiany zostaną utracone.",
"confirmations.cancel_event_editing.heading": "Anuluj edycję wydarzenia",
"confirmations.cancel_event_editing.message": "Czy na pewno chcesz anulować edytowanie wydarzenia? Niezapisane zmiany zostaną utracone.",
"confirmations.delete.confirm": "Usuń",
"confirmations.delete.heading": "Usuń wpis",
"confirmations.delete.message": "Czy na pewno chcesz usunąć ten wpis?",
"confirmations.delete_event.confirm": "Usuń",
"confirmations.delete_event.heading": "Usuń wydarzenie",
"confirmations.delete_event.message": "Czy na pewno chcesz usunąć to wydarzenie?",
"confirmations.delete_list.confirm": "Usuń",
"confirmations.delete_list.heading": "Usuń listę",
"confirmations.delete_list.message": "Czy na pewno chcesz bezpowrotnie usunąć tą listę?",
"confirmations.domain_block.confirm": "Ukryj wszysyko z domeny",
"confirmations.domain_block.heading": "Zablokuj {domain}",
"confirmations.domain_block.message": "Czy na pewno chcesz zablokować całą domenę {domain}? Zwykle lepszym rozwiązaniem jest blokada lub wyciszenie kilku użytkowników.",
"confirmations.leave_event.confirm": "Opuść wydarzenie",
"confirmations.leave_event.message": "Jeśli będziesz chciał(a) dołączyć do wydarzenia jeszcze raz, prośba będzie musiała zostać ponownie zatwierdzona. Czy chcesz kontynuować?",
"confirmations.mute.confirm": "Wycisz",
"confirmations.mute.heading": "Wycisz @{name}",
"confirmations.mute.message": "Czy na pewno chcesz wyciszyć {name}?",
@ -478,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Anuluj zaplanowany wpis",
"confirmations.scheduled_status_delete.message": "Czy na pewno chcesz anulować ten zaplanowany wpis?",
"confirmations.unfollow.confirm": "Przestań obserwować",
"confirmations.unfollow.heading": "Przestań obserwować {name}",
"confirmations.unfollow.message": "Czy na pewno zamierzasz przestać obserwować {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} przyjmuje darowizny w kryptowalutach. Możesz wysłać darowiznę na jeden z poniższych adresów. Dziękujemy za Wasze wsparcie!",
"crypto_donate.explanation_box.title": "Przekaż darowiznę w kryptowalutach",
"crypto_donate_panel.actions.view": "Naciśnij, aby zobaczyć {count} więcej {count, plural, one {potrfel} few {portfele} many {portfeli}}",
@ -604,8 +484,6 @@
"empty_column.community": "Lokalna oś czasu jest pusta. Napisz coś publicznie, aby zagaić!",
"empty_column.direct": "Nie masz żadnych wiadomości bezpośrednich. Kiedy dostaniesz lub wyślesz jakąś, pojawi się ona tutaj.",
"empty_column.domain_blocks": "Brak ukrytych domen.",
"empty_column.event_participant_requests": "Brak oczekujących próśb o dołączenie.",
"empty_column.event_participants": "Nikt jeszcze nie dołączył do tego wydarzenia. Gdy ktoś dołączy, pojawi się tutaj.",
"empty_column.favourited_statuses": "Nie polubiłeś(-aś) żadnego wpisu. Kiedy to zrobisz, pojawi się on tutaj.",
"empty_column.favourites": "Nikt nie dodał tego wpisu do ulubionych. Gdy ktoś to zrobi, pojawi się tutaj.",
"empty_column.filters": "Nie wyciszyłeś(-aś) jeszcze żadnego słowa.",
@ -622,33 +500,12 @@
"empty_column.notifications": "Nie masz żadnych powiadomień. Rozpocznij interakcje z innymi użytkownikami.",
"empty_column.notifications_filtered": "Nie masz żadnych powiadomień o tej kategorii.",
"empty_column.public": "Tu nic nie ma! Napisz coś publicznie, lub dodaj ludzi z innych serwerów, aby to wyświetlić",
"empty_column.quotes": "Ten wpis nie został jeszcze zacytowany.",
"empty_column.remote": "Tu nic nie ma! Zaobserwuj użytkowników {instance}, aby wypełnić tę oś.",
"empty_column.scheduled_statuses": "Nie masz żadnych zaplanowanych wpisów. Kiedy dodasz jakiś, pojawi się on tutaj.",
"empty_column.search.accounts": "Brak wyników wyszukiwania osób dla „{term}”",
"empty_column.search.hashtags": "Brak wyników wyszukiwania hashtagów dla „{term}”",
"empty_column.search.statuses": "Brak wyników wyszukiwania wpisów dla „{term}”",
"empty_column.test": "Testowa oś czasu jest pusta.",
"event.banner": "Baner wydarzenia",
"event.copy": "Skopiuj link do wydarzenia",
"event.date": "Data",
"event.description": "Opis",
"event.discussion.empty": "Nikt jeszcze nie skomentował tego wydarzenia. Gdy ktoś skomentuje, pojawi się tutaj.",
"event.export_ics": "Eksportuj do kalendarza",
"event.external": "Zobacz wydarzenie na {domain}",
"event.join_state.accept": "Biorę udział",
"event.join_state.empty": "Weź udział",
"event.join_state.pending": "Oczekujące",
"event.join_state.rejected": "Biorę udział",
"event.location": "Lokalizacja",
"event.manage": "Zarządzaj",
"event.organized_by": "Organizowane przez {name}",
"event.participants": "{count} {rawCount, plural, one {osoba bierze} few {osoby biorą} other {osób bierze}} udział",
"event.show_on_map": "Pokaż na mapie",
"event.website": "Zewnętrzne linki",
"event_map.navigate": "Nawiguj",
"events.joined_events.empty": "Jeszcze nie dołączyłeś(-aś) do żadnego wydarzenia.",
"events.recent_events.empty": "Nie ma jeszcze żadnych publicznych wydarzeń.",
"export_data.actions.export": "Eksportuj dane",
"export_data.actions.export_blocks": "Eksportuj blokady",
"export_data.actions.export_follows": "Eksportuj obserwacje",
@ -729,12 +586,6 @@
"intervals.full.days": "{number, plural, one {# dzień} few {# dni} many {# dni} other {# dni}}",
"intervals.full.hours": "{number, plural, one {# godzina} few {# godziny} many {# godzin} other {# godzin}}",
"intervals.full.minutes": "{number, plural, one {# minuta} few {# minuty} many {# minut} other {# minut}}",
"join_event.hint": "Powiedz organizatorom, dlaczego chcesz wziąć udział w tym wydarzeniu:",
"join_event.join": "Poproś o dołączenie",
"join_event.placeholder": "Wiadomość do organizatora",
"join_event.request_success": "Poproszono o dołączenie do wydarzenia",
"join_event.success": "Dołączono do wydarzenia",
"join_event.title": "Dołącz do wydarzenia",
"keyboard_shortcuts.back": "cofnij się",
"keyboard_shortcuts.blocked": "przejdź do listy zablokowanych",
"keyboard_shortcuts.boost": "podbij wpis",
@ -783,7 +634,6 @@
"lists.search": "Szukaj wśród osób które obserwujesz",
"lists.subheading": "Twoje listy",
"loading_indicator.label": "Ładowanie…",
"location_search.placeholder": "Znajdź adres",
"login.fields.instance_label": "Instancja",
"login.fields.instance_placeholder": "example.com",
"login.fields.otp_code_hint": "Wprowadź kod uwierzytelniania dwuetapowego wygenerowany przez aplikację mobilną lub jeden z kodów zapasowych",
@ -832,8 +682,6 @@
"missing_description_modal.text": "Nie podałeś(-aś) opisu dla wszystkich załączników.",
"missing_indicator.label": "Nie znaleziono",
"missing_indicator.sublabel": "Nie można odnaleźć tego zasobu",
"modals.policy.submit": "Akceptuj i kontynuuj",
"modals.policy.updateTitle": "Jesteś na najnowszej wersji {siteTitle}! Poświęć chwilę aby zobaczyć ekscytujące nowości, nad którymi pracowaliśmy.",
"moderation_overlay.contact": "Kontakt",
"moderation_overlay.hide": "Ukryj",
"moderation_overlay.show": "Wyświetl",
@ -860,10 +708,8 @@
"navigation_bar.compose": "Utwórz nowy wpis",
"navigation_bar.compose_direct": "Wiadomość bezpośrednia",
"navigation_bar.compose_edit": "Edytuj wpis",
"navigation_bar.compose_event": "Zarządzaj wydarzeniem",
"navigation_bar.compose_quote": "Cytuj wpis",
"navigation_bar.compose_reply": "Odpowiedz na wpis",
"navigation_bar.create_event": "Utwórz nowe wydarzenie",
"navigation_bar.domain_blocks": "Ukryte domeny",
"navigation_bar.favourites": "Ulubione",
"navigation_bar.filters": "Wyciszone słowa",
@ -962,7 +808,6 @@
"preferences.fields.display_media.default": "Ukrywaj media oznaczone jako wrażliwe",
"preferences.fields.display_media.hide_all": "Ukrywaj wszystkie media",
"preferences.fields.display_media.show_all": "Pokazuj wszystkie media",
"preferences.fields.dyslexic_font_label": "Tryb dla dyslektyków",
"preferences.fields.expand_spoilers_label": "Zawsze rozwijaj wpisy z ostrzeżeniami o zawartości",
"preferences.fields.language_label": "Język",
"preferences.fields.media_display_label": "Wyświetlanie zawartości multimedialnej",
@ -974,7 +819,6 @@
"preferences.fields.underline_links_label": "Zawsze podkreślaj odnośniki we wpisach",
"preferences.fields.unfollow_modal_label": "Pokazuj prośbę o potwierdzenie przed cofnięciem obserwacji",
"preferences.hints.demetricator": "Ogranicz skutki uzależnienia od mediów społecznościowych, ukrywając wyświetlane liczby.",
"preferences.hints.feed": "Na stronie głównej",
"preferences.notifications.advanced": "Pokazuj wszystkie kategorie powiadomień",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Czysty tekst",
@ -1047,8 +891,6 @@
"remote_instance.unpin_host": "Odepnij {host}",
"remote_interaction.account_placeholder": "Wprowadź nazwę@domenę użytkownika, z którego chcesz wykonać działanie",
"remote_interaction.divider": "lub",
"remote_interaction.event_join": "Przejdź do dołączania",
"remote_interaction.event_join_title": "Dołącz do wydarzenia zdalnie",
"remote_interaction.favourite": "Przejdź do polubienia",
"remote_interaction.favourite_title": "Polub wpis zdalnie",
"remote_interaction.follow": "Przejdź do obserwacji",
@ -1070,8 +912,6 @@
"reply_mentions.reply_empty": "W odpowiedzi na wpis",
"report.block": "Zablokuj {target}",
"report.block_hint": "Czy chcesz też zablokować to konto?",
"report.chatMessage.context": "Gdy zgłosisz wiadomość, pięć wiadomości poprzedzających i pięć następujących zostanie przekazane naszym moderatorem dla kontekstu.",
"report.chatMessage.title": "Zgłoś wiadomość",
"report.confirmation.content": "Jeżeli uznamy, że to konto narusza {link}, podejmiemy działania z tym związane.",
"report.confirmation.title": "Dziękujemy za wysłanie zgłoszenia.",
"report.done": "Gotowe",
@ -1133,7 +973,6 @@
"settings.configure_mfa": "Konfiguruj uwierzytelnianie wieloskładnikowe",
"settings.delete_account": "Usuń konto",
"settings.edit_profile": "Edytuj profil",
"settings.messages.label": "Pozwól innym rozpoczynać rozmowy z Tobą",
"settings.other": "Pozostałe opcje",
"settings.preferences": "Preferencje",
"settings.profile": "Profil",
@ -1161,7 +1000,6 @@
"sms_verification.sent.body": "Wysłaliśmy Ci 6-cyfrowy kod SMS-em. Wprowadź go poniżej.",
"sms_verification.sent.header": "Kod weryfikujący",
"sms_verification.success": "Kod weryfikujący został wysłany na Twój numer telefonu.",
"toast.view": "Wyświetl",
"soapbox_config.authenticated_profile_hint": "Użytkownicy muszą być zalogowani, aby zobaczyć odpowiedzi i media na profilach użytkowników.",
"soapbox_config.authenticated_profile_label": "Profile wymagają uwierzytelniania",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Stopka praw autorskich",
@ -1174,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Wyświetlaj domenę (np. @użytkownik@domena) dla lokalnych kont.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Kolor akcentu",
"soapbox_config.fields.brand_color_label": "Kolor marki",
"soapbox_config.fields.crypto_addresses_label": "Adresy kryptowalut",
"soapbox_config.fields.home_footer_fields_label": "Elementy stopki strony głównej",
"soapbox_config.fields.logo_label": "Logo",
@ -1184,7 +1020,6 @@
"soapbox_config.greentext_label": "Aktywuj greentext",
"soapbox_config.headings.advanced": "Zaawansowane",
"soapbox_config.headings.cryptocurrency": "Kryptowaluty",
"soapbox_config.headings.events": "Wydarzenia",
"soapbox_config.headings.navigation": "Nawigacja",
"soapbox_config.headings.options": "Opcje",
"soapbox_config.headings.theme": "Motyw",
@ -1206,8 +1041,6 @@
"soapbox_config.single_user_mode_label": "Tryb jednego użytkownika",
"soapbox_config.single_user_mode_profile_hint": "@nazwa",
"soapbox_config.single_user_mode_profile_label": "Nazwa głównego użytkownika",
"soapbox_config.tile_server_attribution_label": "Uznanie kafelków mapy",
"soapbox_config.tile_server_label": "Serwer kafelków mapy",
"soapbox_config.verified_can_edit_name_label": "Pozwól zweryfikowanym użytkownikom na zmianę swojej nazwy wyświetlanej.",
"sponsored.info.message": "{siteTitle} wyświetla reklamy, aby utrzymać naszą usługę.",
"sponsored.info.title": "Dlaczego widzę tę reklamę?",
@ -1229,7 +1062,6 @@
"status.favourite": "Zareaguj",
"status.filtered": "Filtrowany(-a)",
"status.interactions.favourites": "{count, plural, one {Polubienie} few {Polubienia} other {Polubień}}",
"status.interactions.quotes": "{count, plural, one {Cytat} few {Cytaty} other {Cytatów}}",
"status.interactions.reblogs": "{count, plural, one {Podanie dalej} few {Podania dalej} other {Podań dalej}}",
"status.load_more": "Załaduj więcej",
"status.mention": "Wspomnij o @{name}",
@ -1288,7 +1120,6 @@
"sw.update_text": "Dostępna jest aktualizacja.",
"sw.url": "Adres URL skryptu",
"tabs_bar.all": "Wszystkie",
"tabs_bar.chats": "Rozmowy",
"tabs_bar.dashboard": "Panel administracyjny",
"tabs_bar.fediverse": "Fediwersum",
"tabs_bar.home": "Strona główna",
@ -1313,7 +1144,6 @@
"trends.count_by_accounts": "{count} {rawCount, plural, one {osoba rozmawia} few {osoby rozmawiają} other {osób rozmawia}} o tym",
"trends.title": "Trendy",
"trendsPanel.viewAll": "Pokaż wszystkie",
"ui.beforeunload": "Utracisz tworzony wpis, jeżeli opuścisz Soapbox.",
"unauthorized_modal.text": "Musisz się zalogować, aby to zrobić.",
"unauthorized_modal.title": "Zarejestruj się na {site_title}",
"upload_area.title": "Przeciągnij i upuść aby wysłać",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Um erro inesperado ocorreu.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Eita!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Algo de errado aconteceu enquanto este componente era carregado.",
"bundle_modal_error.retry": "Tente novamente",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Global",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Voltar",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Deixar de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Você tem certeza de que quer deixar de seguir {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Página inicial",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuto restante} other {# minutos restantes}}",
"time_remaining.moments": "Momentos restantes",
"time_remaining.seconds": "{number, plural, one {# segundo restante} other {# segundos restantes}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {pessoa} other {pessoas}} falando sobre",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Seu rascunho será perdido se você sair do Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Arraste e solte para enviar",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ocorreu um erro inesperado.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Bolas!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Ocorreu algo inesperado enquanto este componente era carregado.",
"bundle_modal_error.retry": "Tentar novamente",
"card.back.label": "Back",
"chat_box.actions.send": "Enviar",
"chat_box.input.placeholder": "Enviar uma mensagem…",
"chat_panels.main_window.empty": "Sem chats encontrados. Para iniciar um chat, visita o perfil de algum utilizador.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Apagar mensagem",
"chats.actions.more": "Mais",
"chats.actions.report": "Denunciar utilizador",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Notificação de Som desligada",
"chats.audio_toggle_on": "Notificação de Som ligada",
"chats.dividers.today": "Hoje",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Aguardando Aprovação",
@ -270,13 +260,11 @@
"column.public": "Cronologia da Federação",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Config. do Soapbox",
"column.test": "Test timeline",
"column_back_button.label": "Voltar",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Deixar de seguir",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "De certeza que queres deixar de seguir {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} aceita doações em cryptomoedas. Podes enviar uma doação para qualquer um dos endereços indicados abaixo. Obrigado pelo vosso apoio!",
"crypto_donate.explanation_box.title": "Envio de donativos em cryptomoedas",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Ocultar media marcada como sensível",
"preferences.fields.display_media.hide_all": "Ocultar sempre",
"preferences.fields.display_media.show_all": "Mostrar sempre",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Expandir sempre as publicações marcadas com avisos de conteúdo",
"preferences.fields.language_label": "Idioma",
"preferences.fields.media_display_label": "Exibição de media",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Rodaþé de direitos autorais",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Cor da Marca",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Items do Rodapé do Início",
"soapbox_config.fields.logo_label": "Logotipo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Painel de Controlo",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Início",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuto restante} other {# minutos restantes}}",
"time_remaining.moments": "Momentos restantes",
"time_remaining.seconds": "{number, plural, one {# segundo restante} other {# segundos restantes}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {pessoa} other {pessoas}} estão a falar sobre",
"trends.title": "Atualidade",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "O teu rascunho será perdido se abandonares o Soapbox.",
"unauthorized_modal.text": "Deves ter a sessão iniciada para realizares essa ação.",
"unauthorized_modal.title": "Registar no {site_title}",
"upload_area.title": "Arrasta e larga para enviar",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "A apărut o eroare neașteptată.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hopa!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Ceva nu a funcționat în timupul încărcării acestui component.",
"bundle_modal_error.retry": "Încearcă din nou",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Flux global",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Înapoi",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Nu mai urmări",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ești sigur că nu mai vrei să îl urmărești pe {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Acasă",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} vorbesc",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Postarea se va pierde dacă părăsești pagina.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Trage și eliberează pentru a încărca",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Что-то пошло не так.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ой!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Что-то пошло не так при загрузке этого компонента.",
"bundle_modal_error.retry": "Попробовать снова",
"card.back.label": "Back",
"chat_box.actions.send": "Отправить",
"chat_box.input.placeholder": "Отправить сообщение…",
"chat_panels.main_window.empty": "Чатов не найдено. Откройте профиль пользователя, чтобы начать новый.",
"chat_panels.main_window.title": "Чаты",
"chat_window.close": "Close chat",
"chats.actions.delete": "Удалить Сообщение",
"chats.actions.more": "Ещё",
"chats.actions.report": "Пожаловаться на пользователя",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Отключить аудио увидомление",
"chats.audio_toggle_on": "Включить аудио увидомление",
"chats.dividers.today": "Сегодня",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Ожидает Одобрения",
@ -270,13 +260,11 @@
"column.public": "Глобальная лента",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Федеративная лента",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Настройка Soapbox",
"column.test": "Test timeline",
"column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Отписаться",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Вы уверены, что хотите отписаться от {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Главная",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {осталась # минута} few {осталось # минуты} many {осталось # минут} other {осталось # минут}}",
"time_remaining.moments": "остались считанные мгновения",
"time_remaining.seconds": "{number, plural, one {осталась # секунду} few {осталось # секунды} many {осталось # секунд} other {осталось # секунд}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {человек говорит} few {человека говорят} other {человек говорят}} про это",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Ваш черновик будет утерян, если вы покинете Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Перетащите сюда, чтобы загрузить",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Vyskytla sa nečakaná chyba.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Nastala chyba pri načítaní tohto komponentu.",
"bundle_modal_error.retry": "Skúsiť znova",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federovaná časová os",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Späť",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Nesleduj",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Naozaj chceš prestať sledovať {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Domovská",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "Ostáva {number, plural, one {# minúta} few {# minút} many {# minút} other {# minúty}}",
"time_remaining.moments": "Ostáva už iba chviľka",
"time_remaining.seconds": "Ostáva {number, plural, one {# sekunda} few {# sekúnd} many {# sekúnd} other {# sekúnd}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {človek vraví} other {ľudia vravia}}",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Čo máš rozpísané sa stratí, ak opustíš Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Pretiahni a pusť pre nahratie",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Zgodila se je nepričakovana napaka.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Uups!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Med nalaganjem te komponente je prišlo do napake.",
"bundle_modal_error.retry": "Poskusi ponovno",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Združena časovnica",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Nazaj",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Prenehaj slediti",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ali ste prepričani, da ne želite več slediti {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Domov",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minuta} other {# minut}} je ostalo",
"time_remaining.moments": "Preostali trenutki",
"time_remaining.seconds": "{number, plural, one {# sekunda} other {# sekund}} je ostalo",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {oseba} other {ljudi}} govori",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Vaš osnutek bo izgubljen, če zapustite Soapboxa.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Za pošiljanje povlecite in spustite",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ndodhi një gabim të papritur.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hëm!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Diç shkoi ters teksa ngarkohej ky përbërës.",
"bundle_modal_error.retry": "Riprovoni",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Rrjedhë kohore e federuar",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Mbrapsht",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Resht së ndjekuri",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Jeni i sigurt se doni të mos ndiqet më {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Kreu",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person duke folur} other {persona që flasin}}",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Skica juaj do të humbë nëse dilni nga Soapbox-i.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Merreni & vëreni që të ngarkohet",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "An unexpected error occurred.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Oops!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Nešto nije bilo u redu pri učitavanju ove komponente.",
"bundle_modal_error.retry": "Pokušajte ponovo",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federisana lajna",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Nazad",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Otprati",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Da li ste sigurni da želite da otpratite korisnika {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Početna",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Ako napustite Soapbox, izgubićete napisani nacrt.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Prevucite ovde da otpremite",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Појавила се неочекивана грешка.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Упс!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Нешто није било у реду при учитавању ове компоненте.",
"bundle_modal_error.retry": "Покушајте поново",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Здружена временска линија",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Отпрати",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Да ли сте сигурни да желите да отпратите корисника {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Почетна",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {човек} other {људи}} прича",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Ако напустите Soapbox, изгубићете написани нацрт.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Превуците овде да отпремите",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Ett oväntat fel uppstod.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hoppsan!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Något gick fel när denna komponent laddades.",
"bundle_modal_error.retry": "Försök igen",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Förenad tidslinje",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Tillbaka",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Sluta följa",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Är du säker på att du vill sluta följa {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hem",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {1 minut} other {# minuter}} kvar",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# sekund} other {# sekunder}} kvar",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, en {person} andra {people}} pratar",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Ditt utkast kommer att förloras om du lämnar Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Dra & släpp för att ladda upp",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "எதிர் பாராத பிழை ஏற்பட்டு விட்டது.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "அச்சச்சோ!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "இந்த கூறுகளை ஏற்றும்போது ஏதோ தவறு ஏற்பட்டது.",
"bundle_modal_error.retry": "மீண்டும் முயற்சி செய்",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "கூட்டாட்சி காலக்கெடு",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "ஆதரி",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "பின்தொடராட்",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "நிச்சயமாக நீங்கள் பின்தொடர விரும்புகிறீர்களா {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} மற்ற {# minutes}} left",
"time_remaining.moments": "தருணங்கள் மீதமுள்ளன",
"time_remaining.seconds": "{number, plural, one {# second} மற்ற {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} மற்ற {people}} உரையாடு",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "நீங்கள் வெளியே சென்றால் உங்கள் வரைவு இழக்கப்படும் மஸ்தோடோன்.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "பதிவேற்ற & இழுக்கவும்",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "అనుకోని తప్పు జరిగినది.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "అయ్యో!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "ఈ భాగం లోడ్ అవుతున్నప్పుడు ఏదో తప్పు జరిగింది.",
"bundle_modal_error.retry": "మళ్ళీ ప్రయత్నించండి",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "సమాఖ్య కాలక్రమం",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "వెనక్కి",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "అనుసరించవద్దు",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "{name}ను మీరు ఖచ్చితంగా అనుసరించవద్దనుకుంటున్నారా?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "హోమ్",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
"time_remaining.moments": "కొన్ని క్షణాలు మాత్రమే మిగిలి ఉన్నాయి",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} మాట్లాడుతున్నారు",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "మీరు మాస్టొడొన్ను వదిలివేస్తే మీ డ్రాఫ్ట్లు పోతాయి.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "అప్లోడ్ చేయడానికి డ్రాగ్ & డ్రాప్ చేయండి",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "เกิดข้อผิดพลาดที่ไม่คาดคิด",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "อุปส์!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "มีบางอย่างผิดพลาดขณะโหลดส่วนประกอบนี้",
"bundle_modal_error.retry": "ลองอีกครั้ง",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "เส้นเวลาที่ติดต่อกับภายนอก",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "ย้อนกลับ",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "เลิกติดตาม",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "คุณแน่ใจหรือไม่ว่าต้องการเลิกติดตาม {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "หน้าแรก",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "เหลืออีก {number, plural, other {# นาที}}",
"time_remaining.moments": "ช่วงเวลาที่เหลือ",
"time_remaining.seconds": "เหลืออีก {number, plural, other {# วินาที}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, other {คน}}กำลังคุย",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "แบบร่างของคุณจะหายไปหากคุณออกจาก Soapbox",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "ลากแล้วปล่อยเพื่ออัปโหลด",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Beklenmedik bir hata oluştu.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Hay aksi!",
"aliases.account.add": "Create alias",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Bu bileşen yüklenirken bir şeyler ters gitti.",
"bundle_modal_error.retry": "Tekrar deneyin",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Federe zaman tüneli",
"column.reactions": "Reactions",
"column.reblogs": "Reposts",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Geri",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Takibi kaldır",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "{name}'yi takipten çıkarmak istediğinizden emin misiniz?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Ana sayfa",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# dakika} other {# dakika}} kaldı",
"time_remaining.moments": "Sadece birkaç dakika kaldı",
"time_remaining.seconds": "{number, plural, one {# saniye} other {# saniye}} kaldı",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {kişi} other {kişi}} konuşuyor",
"trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Soapbox'dan ayrılırsanız taslağınız kaybolacak.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Karşıya yükleme için sürükle bırak yapınız",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "Support",
"alert.unexpected.message": "Трапилась неочікувана помилка.",
"alert.unexpected.return_home": "Return Home",
"alert.unexpected.title": "Ой!",
"aliases.account.add": "Створити псевдонім",
"aliases.account_label": "Old account:",
"aliases.aliases_list_delete": "Unlink alias",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "Щось пішло не так під час завантаження компоненту.",
"bundle_modal_error.retry": "Спробувати ще раз",
"card.back.label": "Back",
"chat_box.actions.send": "Send",
"chat_box.input.placeholder": "Send a message…",
"chat_panels.main_window.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Чат",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message",
"chats.actions.more": "More",
"chats.actions.report": "Report user",
"chats.attachment": "Attachment",
"chats.attachment_image": "Image",
"chats.audio_toggle_off": "Audio notification off",
"chats.audio_toggle_on": "Audio notification on",
"chats.dividers.today": "Today",
"chats.search_placeholder": "Start a chat with…",
"column.admin.awaiting_approval": "Awaiting Approval",
@ -270,13 +260,11 @@
"column.public": "Глобальна стрічка",
"column.reactions": "Reactions",
"column.reblogs": "Передмухи",
"column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts",
"column.search": "Пошук",
"column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config",
"column.test": "Test timeline",
"column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden",
"common.cancel": "Cancel",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
"confirmations.unfollow.confirm": "Відписатися",
"confirmations.unfollow.heading": "Unfollow {name}",
"confirmations.unfollow.message": "Ви впевнені, що хочете відписатися від {name}?",
"crypto_donate.explanation_box.message": "{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!",
"crypto_donate.explanation_box.title": "Sending cryptocurrency donations",
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "In your home feed",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.",
"soapbox_config.authenticated_profile_label": "Profiles require authentication",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "Copyright footer",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "Акцентний колір",
"soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All",
"tabs_bar.chats": "Чат",
"tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Головна",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "{number, plural, one {# хвилина} few {# хвилини} other {# хвилин}}",
"time_remaining.moments": "Moments remaining",
"time_remaining.seconds": "{number, plural, one {# секунда} few {# секунди} other {# секунд}}",
"toast.view": "View",
"trends.count_by_accounts": "{count} {rawCount, plural, one {людина} few {людини} many {людей} other {людей}} обговорюють це",
"trends.title": "Актуальні",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Вашу чернетку буде втрачено, якщо ви покинете Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}",
"upload_area.title": "Перетягніть сюди, щоб завантажити",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "支持",
"alert.unexpected.message": "发生了意外错误。",
"alert.unexpected.return_home": "回到首页",
"alert.unexpected.title": "哎呀!",
"aliases.account.add": "创建别名",
"aliases.account_label": "旧帐号:",
"aliases.aliases_list_delete": "删除别名",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "载入组件时发生错误。",
"bundle_modal_error.retry": "重试",
"card.back.label": "返回",
"chat_box.actions.send": "发送",
"chat_box.input.placeholder": "发送聊天信息…",
"chat_panels.main_window.empty": "还没有聊天信息,找人聊聊吧!",
"chat_panels.main_window.title": "聊天",
"chat_window.close": "Close chat",
"chats.actions.delete": "删除信息",
"chats.actions.more": "更多选项",
"chats.actions.report": "举报用户",
"chats.attachment": "附件",
"chats.attachment_image": "图片",
"chats.audio_toggle_off": "关闭声音提醒",
"chats.audio_toggle_on": "打开声音提醒",
"chats.dividers.today": "此刻",
"chats.search_placeholder": "开始聊天……",
"column.admin.awaiting_approval": "等待批准",
@ -270,13 +260,11 @@
"column.public": "跨站公共时间轴",
"column.reactions": "互动",
"column.reblogs": "转帖",
"column.remote": "跨站公共时间轴",
"column.scheduled_statuses": "定时帖文",
"column.search": "搜索",
"column.settings_store": "设置储存",
"column.soapbox_config": "Soapbox设置",
"column.test": "测试时间线",
"column_back_button.label": "返回",
"column_forbidden.body": "你没有权限访问这个页面。",
"column_forbidden.title": "无权访问",
"common.cancel": "取消",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "取消帖文定时发布",
"confirmations.scheduled_status_delete.message": "你确定要取消这篇帖文的定时发布吗?",
"confirmations.unfollow.confirm": "取消关注",
"confirmations.unfollow.heading": "取消关注 {name}",
"confirmations.unfollow.message": "你确定要取消关注 {name} 吗?",
"crypto_donate.explanation_box.message": "{siteTitle} 接受用户向以下钱包地址捐赠任意数量的加密货币。感谢你的支持!",
"crypto_donate.explanation_box.title": "发送加密货币捐赠",
"crypto_donate_panel.actions.view": "点击查看 {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "隐藏被标记为敏感内容的媒体",
"preferences.fields.display_media.hide_all": "总是隐藏所有媒体",
"preferences.fields.display_media.show_all": "总是显示所有媒体",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "始终展开标有内容警告的帖文",
"preferences.fields.language_label": "语言",
"preferences.fields.media_display_label": "媒体展示",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "在你的主页信息流中",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "浏览",
"soapbox_config.authenticated_profile_hint": "用户必须登录后才能查看用户个人资料上的回复和媒体。",
"soapbox_config.authenticated_profile_label": "个人资料需要授权才能查看",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "版权页底",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "显示本站帐号的域名(如 @用户名@域名 ",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "强调色",
"soapbox_config.fields.brand_color_label": "主题颜色",
"soapbox_config.fields.crypto_addresses_label": "加密货币地址",
"soapbox_config.fields.home_footer_fields_label": "主页页尾",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "全部",
"tabs_bar.chats": "聊天",
"tabs_bar.dashboard": "管理中心",
"tabs_bar.fediverse": "联邦宇宙",
"tabs_bar.home": "主页",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "离预定时间还有 {number, plural, one {# 分钟} other {# 分钟}}",
"time_remaining.moments": "即将到达预定时间",
"time_remaining.seconds": "离预定时间还有 {number, plural, one {# 秒} other {# 秒}}",
"toast.view": "浏览",
"trends.count_by_accounts": "{count} 人正在讨论",
"trends.title": "热门",
"trendsPanel.viewAll": "查看全部",
"ui.beforeunload": "如果你现在离开网站,你的草稿内容将会丢失。",
"unauthorized_modal.text": "你需要登录才能继续",
"unauthorized_modal.title": "注册 {site_title} 帐号",
"upload_area.title": "将文件拖放到此处开始上传",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "支援",
"alert.unexpected.message": "發生了非預期的錯誤。",
"alert.unexpected.return_home": "回到主頁",
"alert.unexpected.title": "哎喲!",
"aliases.account.add": "創建別名",
"aliases.account_label": "原帳户:",
"aliases.aliases_list_delete": "刪除別名",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "載入此元件時發生錯誤。",
"bundle_modal_error.retry": "重試",
"card.back.label": "返回",
"chat_box.actions.send": "發送",
"chat_box.input.placeholder": "發送聊天訊息…",
"chat_panels.main_window.empty": "還沒有訊息。要開始聊天,可以從用户的個人資料頁面發起。",
"chat_panels.main_window.title": "聊天",
"chat_window.close": "Close chat",
"chats.actions.delete": "刪除訊息",
"chats.actions.more": "更多選項",
"chats.actions.report": "檢舉用户",
"chats.attachment": "附件",
"chats.attachment_image": "圖片",
"chats.audio_toggle_off": "關閉消息提醒",
"chats.audio_toggle_on": "開啟消息提醒",
"chats.dividers.today": "今天",
"chats.search_placeholder": "開始聊天…",
"column.admin.awaiting_approval": "等待核准",
@ -270,13 +260,11 @@
"column.public": "聯邦時間軸",
"column.reactions": "心情回應",
"column.reblogs": "轉帖",
"column.remote": "聯邦時間軸",
"column.scheduled_statuses": "定時帖文",
"column.search": "搜尋",
"column.settings_store": "設定儲存",
"column.soapbox_config": "Soapbox設定",
"column.test": "測試時間軸",
"column_back_button.label": "上一頁",
"column_forbidden.body": "您無權訪問這個頁面。",
"column_forbidden.title": "無權訪問",
"common.cancel": "取消",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "取消帖文定時發佈",
"confirmations.scheduled_status_delete.message": "你確定要取消這篇帖文定時發佈嗎?",
"confirmations.unfollow.confirm": "取消追蹤",
"confirmations.unfollow.heading": "取消追蹤 {name}",
"confirmations.unfollow.message": "真的要取消追蹤 {name} 嗎?",
"crypto_donate.explanation_box.message": "{siteTitle} 接受用户向以下錢包地址捐贈任意數量的數字資產。你的抖內會令我們做得更好!",
"crypto_donate.explanation_box.title": "發起數字貨幣捐贈",
"crypto_donate_panel.actions.view": "點擊查看 {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "隱藏被標記為敏感內容的媒體",
"preferences.fields.display_media.hide_all": "始終隱藏所有媒體",
"preferences.fields.display_media.show_all": "始終顯示所有媒體",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "始終展開標有內容警告的帖文",
"preferences.fields.language_label": "語言",
"preferences.fields.media_display_label": "媒體顯示",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "在你的主頁信息流中",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "檢視",
"soapbox_config.authenticated_profile_hint": "用户必須登錄才能查看用户個人資料上的回覆和媒體。",
"soapbox_config.authenticated_profile_label": "個人資料需要授權才能查看",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "版權頁底",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "顯示本站帳户的網域 (如 @帳户名稱@網域) ",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "強調色",
"soapbox_config.fields.brand_color_label": "主題色",
"soapbox_config.fields.crypto_addresses_label": "數字貨幣地址",
"soapbox_config.fields.home_footer_fields_label": "主頁頁眉",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "全部",
"tabs_bar.chats": "對話",
"tabs_bar.dashboard": "控制台",
"tabs_bar.fediverse": "聯邦宇宙",
"tabs_bar.home": "主頁",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "剩餘{number, plural, one {# 分鐘} other {# 分鐘}}",
"time_remaining.moments": "剩餘時間",
"time_remaining.seconds": "剩餘 {number, plural, one {# 秒} other {# 秒}}",
"toast.view": "檢視",
"trends.count_by_accounts": "{count} 位使用者在討論",
"trends.title": "趨勢",
"trendsPanel.viewAll": "顯示全部",
"ui.beforeunload": "如果離開,你的草稿將會丟失。",
"unauthorized_modal.text": "你需要登入才能繼續",
"unauthorized_modal.title": "註冊 {site_title} 帳户",
"upload_area.title": "拖放來上傳",

View File

@ -147,7 +147,6 @@
"alert.unexpected.links.support": "支援",
"alert.unexpected.message": "發生了非預期的錯誤。",
"alert.unexpected.return_home": "回到主頁",
"alert.unexpected.title": "哎喲!",
"aliases.account.add": "創建別名",
"aliases.account_label": "原帳戶:",
"aliases.aliases_list_delete": "刪除別名",
@ -186,18 +185,9 @@
"bundle_modal_error.message": "載入此元件時發生錯誤。",
"bundle_modal_error.retry": "重試",
"card.back.label": "返回",
"chat_box.actions.send": "發送",
"chat_box.input.placeholder": "發送聊天訊息…",
"chat_panels.main_window.empty": "還沒有訊息。要開始聊天,可以從用戶的個人資料頁面發起。",
"chat_panels.main_window.title": "聊天",
"chat_window.close": "Close chat",
"chats.actions.delete": "刪除訊息",
"chats.actions.more": "更多選項",
"chats.actions.report": "檢舉用戶",
"chats.attachment": "附件",
"chats.attachment_image": "圖片",
"chats.audio_toggle_off": "關閉消息提醒",
"chats.audio_toggle_on": "開啟消息提醒",
"chats.dividers.today": "今天",
"chats.search_placeholder": "開始聊天…",
"column.admin.awaiting_approval": "等待核准",
@ -270,13 +260,11 @@
"column.public": "聯邦時間軸",
"column.reactions": "心情回應",
"column.reblogs": "轉帖",
"column.remote": "聯邦時間軸",
"column.scheduled_statuses": "定時帖文",
"column.search": "搜尋",
"column.settings_store": "設定儲存",
"column.soapbox_config": "Soapbox設定",
"column.test": "測試時間軸",
"column_back_button.label": "上一頁",
"column_forbidden.body": "您無權訪問這個頁面。",
"column_forbidden.title": "無權訪問",
"common.cancel": "取消",
@ -372,8 +360,6 @@
"confirmations.scheduled_status_delete.heading": "取消帖文定時發佈",
"confirmations.scheduled_status_delete.message": "你確定要取消這篇帖文定時發佈嗎?",
"confirmations.unfollow.confirm": "取消追蹤",
"confirmations.unfollow.heading": "取消追蹤 {name}",
"confirmations.unfollow.message": "真的要取消追蹤 {name} 嗎?",
"crypto_donate.explanation_box.message": "{siteTitle} 接受用戶向以下錢包地址捐贈任意數量的數字資產。你的抖內會令我們做得更好!",
"crypto_donate.explanation_box.title": "發起數字貨幣捐贈",
"crypto_donate_panel.actions.view": "點擊查看 {count} {count, plural, one {wallet} other {wallets}}",
@ -822,7 +808,6 @@
"preferences.fields.display_media.default": "隱藏被標記為敏感內容的媒體",
"preferences.fields.display_media.hide_all": "始終隱藏所有媒體",
"preferences.fields.display_media.show_all": "始終顯示所有媒體",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "始終展開標有內容警告的帖文",
"preferences.fields.language_label": "語言",
"preferences.fields.media_display_label": "媒體顯示",
@ -834,7 +819,6 @@
"preferences.fields.underline_links_label": "Always underline links in posts",
"preferences.fields.unfollow_modal_label": "Show confirmation dialog before unfollowing someone",
"preferences.hints.demetricator": "Decrease social media anxiety by hiding all numbers from the site.",
"preferences.hints.feed": "在你的主頁信息流中",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
@ -1016,7 +1000,6 @@
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.",
"toast.view": "檢視",
"soapbox_config.authenticated_profile_hint": "用戶必須登錄才能查看用戶個人資料上的回覆和媒體。",
"soapbox_config.authenticated_profile_label": "個人資料需要授權才能查看",
"soapbox_config.copyright_footer.meta_fields.label_placeholder": "版權頁底",
@ -1029,8 +1012,6 @@
"soapbox_config.display_fqn_label": "顯示本站帳戶的網域 (如 @帳戶名稱@網域) ",
"soapbox_config.feed_injection_hint": "Inject the feed with additional content, such as suggested profiles.",
"soapbox_config.feed_injection_label": "Feed injection",
"soapbox_config.fields.accent_color_label": "強調色",
"soapbox_config.fields.brand_color_label": "主題色",
"soapbox_config.fields.crypto_addresses_label": "數字貨幣地址",
"soapbox_config.fields.home_footer_fields_label": "主頁頁眉",
"soapbox_config.fields.logo_label": "Logo",
@ -1139,7 +1120,6 @@
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "全部",
"tabs_bar.chats": "對話",
"tabs_bar.dashboard": "控制台",
"tabs_bar.fediverse": "聯邦宇宙",
"tabs_bar.home": "主頁",
@ -1161,10 +1141,10 @@
"time_remaining.minutes": "剩餘{number, plural, one {# 分鐘} other {# 分鐘}}",
"time_remaining.moments": "剩餘時間",
"time_remaining.seconds": "剩餘 {number, plural, one {# 秒} other {# 秒}}",
"toast.view": "檢視",
"trends.count_by_accounts": "{count} 位使用者在討論",
"trends.title": "趨勢",
"trendsPanel.viewAll": "顯示全部",
"ui.beforeunload": "如果離開,你的草稿將會丟失。",
"unauthorized_modal.text": "你需要登入才能繼續",
"unauthorized_modal.title": "註冊 {site_title} 帳戶",
"upload_area.title": "拖放來上傳",

View File

@ -94,10 +94,7 @@ const getInstanceFeatures = (instance: Instance) => {
* Ability to create accounts.
* @see POST /api/v1/accounts
*/
accountCreation: any([
v.software === MASTODON,
v.software === PLEROMA,
]),
accountCreation: v.software !== TRUTHSOCIAL,
/**
* Ability to pin other accounts on one's profile.

View File

@ -61,7 +61,7 @@
}
.status-card {
@apply flex text-sm border border-solid border-gray-200 dark:border-gray-800 rounded-lg text-gray-800 dark:text-gray-200 min-h-[150px] no-underline overflow-hidden;
@apply flex text-sm border border-solid border-gray-200 dark:border-gray-800 rounded-lg text-gray-800 dark:text-gray-200 no-underline overflow-hidden;
}
a.status-card {
@ -95,10 +95,6 @@ a.status-card {
stroke-width: 1px;
}
}
&--empty {
flex: 0 0 80px;
}
}
.status-card.horizontal {