Merge remote-tracking branch 'origin/develop' into events

This commit is contained in:
Alex Gleason 2022-11-29 11:40:42 -06:00
commit e5ff4fa176
No known key found for this signature in database
GPG Key ID: 7211D1F99744FBB7
131 changed files with 17800 additions and 10760 deletions

View File

@ -4,7 +4,7 @@ import { defineMessages, useIntl } from 'react-intl';
import IconButton from 'soapbox/components/icon-button'; import IconButton from 'soapbox/components/icon-button';
import BundleContainer from 'soapbox/features/ui/containers/bundle-container'; import BundleContainer from 'soapbox/features/ui/containers/bundle-container';
import { DatePicker } from 'soapbox/features/ui/util/async-components'; import { DatePicker } from 'soapbox/features/ui/util/async-components';
import { useAppSelector, useFeatures } from 'soapbox/hooks'; import { useInstance, useFeatures } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
birthdayPlaceholder: { id: 'edit_profile.fields.birthday_placeholder', defaultMessage: 'Your birthday' }, birthdayPlaceholder: { id: 'edit_profile.fields.birthday_placeholder', defaultMessage: 'Your birthday' },
@ -23,9 +23,10 @@ interface IBirthdayInput {
const BirthdayInput: React.FC<IBirthdayInput> = ({ value, onChange, required }) => { const BirthdayInput: React.FC<IBirthdayInput> = ({ value, onChange, required }) => {
const intl = useIntl(); const intl = useIntl();
const features = useFeatures(); const features = useFeatures();
const instance = useInstance();
const supportsBirthdays = features.birthdays; const supportsBirthdays = features.birthdays;
const minAge = useAppSelector((state) => state.instance.pleroma.getIn(['metadata', 'birthday_min_age'])) as number; const minAge = instance.pleroma.getIn(['metadata', 'birthday_min_age']) as number;
const maxDate = useMemo(() => { const maxDate = useMemo(() => {
if (!supportsBirthdays) return null; if (!supportsBirthdays) return null;

View File

@ -3,7 +3,7 @@ import React, { useState } from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Banner, Button, HStack, Stack, Text } from 'soapbox/components/ui'; import { Banner, Button, HStack, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useAppSelector, useInstance, useSoapboxConfig } from 'soapbox/hooks';
const acceptedGdpr = !!localStorage.getItem('soapbox:gdpr'); const acceptedGdpr = !!localStorage.getItem('soapbox:gdpr');
@ -13,9 +13,9 @@ const GdprBanner: React.FC = () => {
const [shown, setShown] = useState<boolean>(acceptedGdpr); const [shown, setShown] = useState<boolean>(acceptedGdpr);
const [slideout, setSlideout] = useState(false); const [slideout, setSlideout] = useState(false);
const instance = useInstance();
const soapbox = useSoapboxConfig(); const soapbox = useSoapboxConfig();
const isLoggedIn = useAppSelector(state => !!state.me); const isLoggedIn = useAppSelector(state => !!state.me);
const siteTitle = useAppSelector(state => state.instance.title);
const handleAccept = () => { const handleAccept = () => {
localStorage.setItem('soapbox:gdpr', 'true'); localStorage.setItem('soapbox:gdpr', 'true');
@ -34,14 +34,14 @@ const GdprBanner: React.FC = () => {
<div className='flex flex-col space-y-4 lg:space-y-0 lg:space-x-4 rtl:space-x-reverse lg:flex-row lg:items-center lg:justify-between'> <div className='flex flex-col space-y-4 lg:space-y-0 lg:space-x-4 rtl:space-x-reverse lg:flex-row lg:items-center lg:justify-between'>
<Stack space={2}> <Stack space={2}>
<Text size='xl' weight='bold'> <Text size='xl' weight='bold'>
<FormattedMessage id='gdpr.title' defaultMessage='{siteTitle} uses cookies' values={{ siteTitle }} /> <FormattedMessage id='gdpr.title' defaultMessage='{siteTitle} uses cookies' values={{ siteTitle: instance.title }} />
</Text> </Text>
<Text weight='medium' className='opacity-60'> <Text weight='medium' className='opacity-60'>
<FormattedMessage <FormattedMessage
id='gdpr.message' id='gdpr.message'
defaultMessage="{siteTitle} uses session cookies, which are essential to the website's functioning." defaultMessage="{siteTitle} uses session cookies, which are essential to the website's functioning."
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
</Text> </Text>
</Stack> </Stack>

View File

@ -1,7 +1,7 @@
import React from 'react'; import React from 'react';
import { Helmet as ReactHelmet } from 'react-helmet'; import { Helmet as ReactHelmet } from 'react-helmet';
import { useAppSelector, useSettings } from 'soapbox/hooks'; import { useAppSelector, useInstance, useSettings } from 'soapbox/hooks';
import { RootState } from 'soapbox/store'; import { RootState } from 'soapbox/store';
import FaviconService from 'soapbox/utils/favicon-service'; import FaviconService from 'soapbox/utils/favicon-service';
@ -16,7 +16,7 @@ const getNotifTotals = (state: RootState): number => {
}; };
const Helmet: React.FC = ({ children }) => { const Helmet: React.FC = ({ children }) => {
const title = useAppSelector((state) => state.instance.title); const instance = useInstance();
const unreadCount = useAppSelector((state) => getNotifTotals(state)); const unreadCount = useAppSelector((state) => getNotifTotals(state));
const demetricator = useSettings().get('demetricator'); const demetricator = useSettings().get('demetricator');
@ -40,8 +40,8 @@ const Helmet: React.FC = ({ children }) => {
return ( return (
<ReactHelmet <ReactHelmet
titleTemplate={addCounter(`%s | ${title}`)} titleTemplate={addCounter(`%s | ${instance.title}`)}
defaultTitle={addCounter(title)} defaultTitle={addCounter(instance.title)}
defer={false} defer={false}
> >
{children} {children}

View File

@ -1,11 +1,9 @@
import React from 'react'; import React from 'react';
import { defineMessages, FormattedMessage, useIntl } from 'react-intl'; import { defineMessages, FormattedMessage, useIntl } from 'react-intl';
import { getSettings } from 'soapbox/actions/settings';
import DropdownMenu from 'soapbox/containers/dropdown-menu-container'; import DropdownMenu from 'soapbox/containers/dropdown-menu-container';
import ComposeButton from 'soapbox/features/ui/components/compose-button'; import ComposeButton from 'soapbox/features/ui/components/compose-button';
import { useAppSelector, useOwnAccount } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useOwnAccount, useSettings } from 'soapbox/hooks';
import { getFeatures } from 'soapbox/utils/features';
import SidebarNavigationLink from './sidebar-navigation-link'; import SidebarNavigationLink from './sidebar-navigation-link';
@ -22,16 +20,14 @@ const messages = defineMessages({
const SidebarNavigation = () => { const SidebarNavigation = () => {
const intl = useIntl(); const intl = useIntl();
const instance = useAppSelector((state) => state.instance); const features = useFeatures();
const settings = useAppSelector((state) => getSettings(state)); const settings = useSettings();
const account = useOwnAccount(); const account = useOwnAccount();
const notificationCount = useAppSelector((state) => state.notifications.unread); const notificationCount = useAppSelector((state) => state.notifications.unread);
const chatsCount = useAppSelector((state) => state.chats.items.reduce((acc, curr) => acc + Math.min(curr.unread || 0, 1), 0)); const chatsCount = useAppSelector((state) => state.chats.items.reduce((acc, curr) => acc + Math.min(curr.unread || 0, 1), 0));
const followRequestsCount = useAppSelector((state) => state.user_lists.follow_requests.items.count()); const followRequestsCount = useAppSelector((state) => state.user_lists.follow_requests.items.count());
const dashboardCount = useAppSelector((state) => state.admin.openReports.count() + state.admin.awaitingApproval.count()); const dashboardCount = useAppSelector((state) => state.admin.openReports.count() + state.admin.awaitingApproval.count());
const features = getFeatures(instance);
const makeMenu = (): Menu => { const makeMenu = (): Menu => {
const menu: Menu = []; const menu: Menu = [];

View File

@ -189,7 +189,9 @@ const StatusList: React.FC<IStatusList> = ({
if (statusId === null) { if (statusId === null) {
acc.push(renderLoadGap(index)); acc.push(renderLoadGap(index));
} else if (statusId.startsWith('末suggestions-')) { } else if (statusId.startsWith('末suggestions-')) {
acc.push(renderFeedSuggestions()); if (soapboxConfig.feedInjection) {
acc.push(renderFeedSuggestions());
}
} else if (statusId.startsWith('末pending-')) { } else if (statusId.startsWith('末pending-')) {
acc.push(renderPendingStatus(statusId)); acc.push(renderPendingStatus(statusId));
} else { } else {

View File

@ -20,6 +20,11 @@ describe('<SensitiveContentOverlay />', () => {
expect(screen.getByTestId('sensitive-overlay')).toHaveTextContent('Sensitive content'); expect(screen.getByTestId('sensitive-overlay')).toHaveTextContent('Sensitive content');
}); });
it('does not allow user to delete the status', () => {
render(<SensitiveContentOverlay status={status} />);
expect(screen.queryAllByTestId('icon-button')).toHaveLength(0);
});
it('can be toggled', () => { it('can be toggled', () => {
render(<SensitiveContentOverlay status={status} />); render(<SensitiveContentOverlay status={status} />);
@ -43,6 +48,11 @@ describe('<SensitiveContentOverlay />', () => {
expect(screen.getByTestId('sensitive-overlay')).toHaveTextContent('Content Under Review'); expect(screen.getByTestId('sensitive-overlay')).toHaveTextContent('Content Under Review');
}); });
it('allows the user to delete the status', () => {
render(<SensitiveContentOverlay status={status} />);
expect(screen.getByTestId('icon-button')).toBeInTheDocument();
});
it('can be toggled', () => { it('can be toggled', () => {
render(<SensitiveContentOverlay status={status} />); render(<SensitiveContentOverlay status={status} />);

View File

@ -1,8 +1,11 @@
import classNames from 'clsx'; import classNames from 'clsx';
import React, { useEffect, useState } from 'react'; import React, { useEffect, useMemo, useState } from 'react';
import { defineMessages, useIntl } from 'react-intl'; import { defineMessages, useIntl } from 'react-intl';
import { useSettings, useSoapboxConfig } from 'soapbox/hooks'; import { openModal } from 'soapbox/actions/modals';
import { deleteStatus } from 'soapbox/actions/statuses';
import DropdownMenu from 'soapbox/containers/dropdown-menu-container';
import { useAppDispatch, useOwnAccount, useSettings, useSoapboxConfig } from 'soapbox/hooks';
import { defaultMediaVisibility } from 'soapbox/utils/status'; import { defaultMediaVisibility } from 'soapbox/utils/status';
import { Button, HStack, Text } from '../ui'; import { Button, HStack, Text } from '../ui';
@ -10,6 +13,10 @@ import { Button, HStack, Text } from '../ui';
import type { Status as StatusEntity } from 'soapbox/types/entities'; import type { Status as StatusEntity } from 'soapbox/types/entities';
const messages = defineMessages({ const messages = defineMessages({
delete: { id: 'status.delete', defaultMessage: 'Delete' },
deleteConfirm: { id: 'confirmations.delete.confirm', defaultMessage: 'Delete' },
deleteHeading: { id: 'confirmations.delete.heading', defaultMessage: 'Delete post' },
deleteMessage: { id: 'confirmations.delete.message', defaultMessage: 'Are you sure you want to delete this post?' },
hide: { id: 'moderation_overlay.hide', defaultMessage: 'Hide content' }, hide: { id: 'moderation_overlay.hide', defaultMessage: 'Hide content' },
sensitiveTitle: { id: 'status.sensitive_warning', defaultMessage: 'Sensitive content' }, sensitiveTitle: { id: 'status.sensitive_warning', defaultMessage: 'Sensitive content' },
underReviewTitle: { id: 'moderation_overlay.title', defaultMessage: 'Content Under Review' }, underReviewTitle: { id: 'moderation_overlay.title', defaultMessage: 'Content Under Review' },
@ -27,15 +34,17 @@ interface ISensitiveContentOverlay {
const SensitiveContentOverlay = React.forwardRef<HTMLDivElement, ISensitiveContentOverlay>((props, ref) => { const SensitiveContentOverlay = React.forwardRef<HTMLDivElement, ISensitiveContentOverlay>((props, ref) => {
const { onToggleVisibility, status } = props; const { onToggleVisibility, status } = props;
const isUnderReview = status.visibility === 'self';
const settings = useSettings();
const displayMedia = settings.get('displayMedia') as string;
const account = useOwnAccount();
const dispatch = useAppDispatch();
const intl = useIntl(); const intl = useIntl();
const settings = useSettings();
const { links } = useSoapboxConfig(); const { links } = useSoapboxConfig();
const isUnderReview = status.visibility === 'self';
const isOwnStatus = status.getIn(['account', 'id']) === account?.id;
const displayMedia = settings.get('displayMedia') as string;
const [visible, setVisible] = useState<boolean>(defaultMediaVisibility(status, displayMedia)); const [visible, setVisible] = useState<boolean>(defaultMediaVisibility(status, displayMedia));
const toggleVisibility = (event: React.MouseEvent<HTMLButtonElement>) => { const toggleVisibility = (event: React.MouseEvent<HTMLButtonElement>) => {
@ -48,6 +57,32 @@ const SensitiveContentOverlay = React.forwardRef<HTMLDivElement, ISensitiveConte
} }
}; };
const handleDeleteStatus = () => {
const deleteModal = settings.get('deleteModal');
if (!deleteModal) {
dispatch(deleteStatus(status.id, false));
} else {
dispatch(openModal('CONFIRM', {
icon: require('@tabler/icons/trash.svg'),
heading: intl.formatMessage(messages.deleteHeading),
message: intl.formatMessage(messages.deleteMessage),
confirm: intl.formatMessage(messages.deleteConfirm),
onConfirm: () => dispatch(deleteStatus(status.id, false)),
}));
}
};
const menu = useMemo(() => {
return [
{
text: intl.formatMessage(messages.delete),
action: handleDeleteStatus,
icon: require('@tabler/icons/trash.svg'),
destructive: true,
},
];
}, []);
useEffect(() => { useEffect(() => {
if (typeof props.visible !== 'undefined') { if (typeof props.visible !== 'undefined') {
setVisible(!!props.visible); setVisible(!!props.visible);
@ -122,6 +157,13 @@ const SensitiveContentOverlay = React.forwardRef<HTMLDivElement, ISensitiveConte
> >
{intl.formatMessage(messages.show)} {intl.formatMessage(messages.show)}
</Button> </Button>
{(isUnderReview && isOwnStatus) ? (
<DropdownMenu
items={menu}
src={require('@tabler/icons/dots.svg')}
/>
) : null}
</HStack> </HStack>
</div> </div>
)} )}

View File

@ -2,15 +2,14 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import ThumbNavigationLink from 'soapbox/components/thumb-navigation-link'; import ThumbNavigationLink from 'soapbox/components/thumb-navigation-link';
import { useAppSelector, useOwnAccount } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useOwnAccount } from 'soapbox/hooks';
import { getFeatures } from 'soapbox/utils/features';
const ThumbNavigation: React.FC = (): JSX.Element => { const ThumbNavigation: React.FC = (): JSX.Element => {
const account = useOwnAccount(); const account = useOwnAccount();
const notificationCount = useAppSelector((state) => state.notifications.unread); const notificationCount = useAppSelector((state) => state.notifications.unread);
const chatsCount = useAppSelector((state) => state.chats.items.reduce((acc, curr) => acc + Math.min(curr.unread || 0, 1), 0)); const chatsCount = useAppSelector((state) => state.chats.items.reduce((acc, curr) => acc + Math.min(curr.unread || 0, 1), 0));
const dashboardCount = useAppSelector((state) => state.admin.openReports.count() + state.admin.awaitingApproval.count()); const dashboardCount = useAppSelector((state) => state.admin.openReports.count() + state.admin.awaitingApproval.count());
const features = getFeatures(useAppSelector((state) => state.instance)); const features = useFeatures();
/** Conditionally render the supported messages link */ /** Conditionally render the supported messages link */
const renderMessagesLink = (): React.ReactNode => { const renderMessagesLink = (): React.ReactNode => {

View File

@ -51,7 +51,7 @@ const families = {
}; };
export type Sizes = keyof typeof sizes export type Sizes = keyof typeof sizes
type Tags = 'abbr' | 'p' | 'span' | 'pre' | 'time' | 'h1' | 'h2' | 'h3' | 'h4' | 'h5' | 'h6' | 'label' type Tags = 'abbr' | 'p' | 'span' | 'pre' | 'time' | 'h1' | 'h2' | 'h3' | 'h4' | 'h5' | 'h6' | 'label' | 'div' | 'blockquote'
type Directions = 'ltr' | 'rtl' type Directions = 'ltr' | 'rtl'
interface IText extends Pick<React.HTMLAttributes<HTMLParagraphElement>, 'dangerouslySetInnerHTML' | 'tabIndex' | 'lang'> { interface IText extends Pick<React.HTMLAttributes<HTMLParagraphElement>, 'dangerouslySetInnerHTML' | 'tabIndex' | 'lang'> {

View File

@ -37,6 +37,7 @@ import {
useSettings, useSettings,
useTheme, useTheme,
useLocale, useLocale,
useInstance,
} from 'soapbox/hooks'; } from 'soapbox/hooks';
import MESSAGES from 'soapbox/locales/messages'; import MESSAGES from 'soapbox/locales/messages';
import { queryClient } from 'soapbox/queries/client'; import { queryClient } from 'soapbox/queries/client';
@ -85,7 +86,7 @@ const loadInitial = () => {
const SoapboxMount = () => { const SoapboxMount = () => {
useCachedLocationHandler(); useCachedLocationHandler();
const me = useAppSelector(state => state.me); const me = useAppSelector(state => state.me);
const instance = useAppSelector(state => state.instance); const instance = useInstance();
const account = useOwnAccount(); const account = useOwnAccount();
const soapboxConfig = useSoapboxConfig(); const soapboxConfig = useSoapboxConfig();
const features = useFeatures(); const features = useFeatures();

View File

@ -11,9 +11,8 @@ import { expandAccountMediaTimeline } from 'soapbox/actions/timelines';
import LoadMore from 'soapbox/components/load-more'; import LoadMore from 'soapbox/components/load-more';
import MissingIndicator from 'soapbox/components/missing-indicator'; import MissingIndicator from 'soapbox/components/missing-indicator';
import { Column, Spinner } from 'soapbox/components/ui'; import { Column, Spinner } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useFeatures } from 'soapbox/hooks';
import { getAccountGallery, findAccountByUsername } from 'soapbox/selectors'; import { getAccountGallery, findAccountByUsername } from 'soapbox/selectors';
import { getFeatures } from 'soapbox/utils/features';
import MediaItem from './components/media-item'; import MediaItem from './components/media-item';
@ -38,11 +37,11 @@ const LoadMoreMedia: React.FC<ILoadMoreMedia> = ({ maxId, onLoadMore }) => {
const AccountGallery = () => { const AccountGallery = () => {
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const { username } = useParams<{ username: string }>(); const { username } = useParams<{ username: string }>();
const features = useFeatures();
const { accountId, unavailable, accountUsername } = useAppSelector((state) => { const { accountId, unavailable, accountUsername } = useAppSelector((state) => {
const me = state.me; const me = state.me;
const accountFetchError = (state.accounts.get(-1)?.username || '').toLowerCase() === username.toLowerCase(); const accountFetchError = (state.accounts.get(-1)?.username || '').toLowerCase() === username.toLowerCase();
const features = getFeatures(state.instance);
let accountId: string | -1 | null = -1; let accountId: string | -1 | null = -1;
let accountUsername = username; let accountUsername = username;

View File

@ -9,7 +9,7 @@ import {
RadioGroup, RadioGroup,
RadioItem, RadioItem,
} from 'soapbox/features/forms'; } from 'soapbox/features/forms';
import { useAppSelector, useAppDispatch } from 'soapbox/hooks'; import { useAppDispatch, useInstance } from 'soapbox/hooks';
import type { Instance } from 'soapbox/types/entities'; import type { Instance } from 'soapbox/types/entities';
@ -42,8 +42,9 @@ const modeFromInstance = (instance: Instance): RegistrationMode => {
const RegistrationModePicker: React.FC = () => { const RegistrationModePicker: React.FC = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const mode = useAppSelector(state => modeFromInstance(state.instance)); const mode = modeFromInstance(instance);
const onChange: React.ChangeEventHandler<HTMLInputElement> = e => { const onChange: React.ChangeEventHandler<HTMLInputElement> = e => {
const config = generateConfig(e.target.value as RegistrationMode); const config = generateConfig(e.target.value as RegistrationMode);

View File

@ -1,16 +1,14 @@
import noop from 'lodash/noop';
import React from 'react'; import React from 'react';
import { useIntl, defineMessages } from 'react-intl'; import { useIntl, defineMessages } from 'react-intl';
import { openModal } from 'soapbox/actions/modals';
import { deleteStatusModal } from 'soapbox/actions/moderation'; import { deleteStatusModal } from 'soapbox/actions/moderation';
import StatusContent from 'soapbox/components/status-content'; import StatusContent from 'soapbox/components/status-content';
import StatusMedia from 'soapbox/components/status-media';
import { HStack, Stack } from 'soapbox/components/ui';
import DropdownMenu from 'soapbox/containers/dropdown-menu-container'; import DropdownMenu from 'soapbox/containers/dropdown-menu-container';
import Bundle from 'soapbox/features/ui/components/bundle';
import { MediaGallery, Video, Audio } from 'soapbox/features/ui/util/async-components';
import { useAppDispatch } from 'soapbox/hooks'; import { useAppDispatch } from 'soapbox/hooks';
import type { AdminReport, Attachment, Status } from 'soapbox/types/entities'; import type { AdminReport, Status } from 'soapbox/types/entities';
const messages = defineMessages({ const messages = defineMessages({
viewStatus: { id: 'admin.reports.actions.view_status', defaultMessage: 'View post' }, viewStatus: { id: 'admin.reports.actions.view_status', defaultMessage: 'View post' },
@ -26,10 +24,6 @@ const ReportStatus: React.FC<IReportStatus> = ({ status }) => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const handleOpenMedia = (media: Attachment, index: number) => {
dispatch(openModal('MEDIA', { media, status, index }));
};
const handleDeleteStatus = () => { const handleDeleteStatus = () => {
dispatch(deleteStatusModal(intl, status.id)); dispatch(deleteStatusModal(intl, status.id));
}; };
@ -49,84 +43,22 @@ const ReportStatus: React.FC<IReportStatus> = ({ status }) => {
}]; }];
}; };
const getMedia = () => {
const firstAttachment = status.media_attachments.get(0);
if (firstAttachment) {
if (status.media_attachments.some(item => item.type === 'unknown')) {
// Do nothing
} else if (firstAttachment.type === 'video') {
const video = firstAttachment;
return (
<Bundle fetchComponent={Video}>
{(Component: any) => (
<Component
preview={video.preview_url}
blurhash={video.blurhash}
src={video.url}
alt={video.description}
aspectRatio={video.meta.getIn(['original', 'aspect'])}
width={239}
height={110}
inline
sensitive={status.sensitive}
onOpenVideo={noop}
/>
)}
</Bundle>
);
} else if (firstAttachment.type === 'audio') {
const audio = firstAttachment;
return (
<Bundle fetchComponent={Audio}>
{(Component: any) => (
<Component
src={audio.url}
alt={audio.description}
inline
sensitive={status.sensitive}
onOpenAudio={noop}
/>
)}
</Bundle>
);
} else {
return (
<Bundle fetchComponent={MediaGallery}>
{(Component: any) => (
<Component
media={status.media_attachments}
sensitive={status.sensitive}
height={110}
onOpenMedia={handleOpenMedia}
/>
)}
</Bundle>
);
}
}
return null;
};
const media = getMedia();
const menu = makeMenu(); const menu = makeMenu();
return ( return (
<div className='admin-report__status'> <HStack space={2} alignItems='start'>
<div className='admin-report__status-content'> <Stack space={2} className='overflow-hidden' grow>
<StatusContent status={status} /> <StatusContent status={status} />
{media} <StatusMedia status={status} />
</div> </Stack>
<div className='admin-report__status-actions'>
<div className='flex-none'>
<DropdownMenu <DropdownMenu
items={menu} items={menu}
src={require('@tabler/icons/dots-vertical.svg')} src={require('@tabler/icons/dots-vertical.svg')}
/> />
</div> </div>
</div> </HStack>
); );
}; };

View File

@ -7,7 +7,7 @@ import { deactivateUserModal, deleteUserModal } from 'soapbox/actions/moderation
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import Avatar from 'soapbox/components/avatar'; import Avatar from 'soapbox/components/avatar';
import HoverRefWrapper from 'soapbox/components/hover-ref-wrapper'; import HoverRefWrapper from 'soapbox/components/hover-ref-wrapper';
import { Accordion, Button, HStack } from 'soapbox/components/ui'; import { Accordion, Button, Stack, HStack, Text } from 'soapbox/components/ui';
import DropdownMenu from 'soapbox/containers/dropdown-menu-container'; import DropdownMenu from 'soapbox/containers/dropdown-menu-container';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector } from 'soapbox/hooks';
import { makeGetReport } from 'soapbox/selectors'; import { makeGetReport } from 'soapbox/selectors';
@ -44,13 +44,14 @@ const Report: React.FC<IReport> = ({ id }) => {
const makeMenu = () => { const makeMenu = () => {
return [{ return [{
text: intl.formatMessage(messages.deactivateUser, { name: targetAccount.username as string }), text: intl.formatMessage(messages.deactivateUser, { name: targetAccount.username }),
action: handleDeactivateUser, action: handleDeactivateUser,
icon: require('@tabler/icons/user-off.svg'), icon: require('@tabler/icons/hourglass-empty.svg'),
}, { }, {
text: intl.formatMessage(messages.deleteUser, { name: targetAccount.username as string }), text: intl.formatMessage(messages.deleteUser, { name: targetAccount.username }),
action: handleDeleteUser, action: handleDeleteUser,
icon: require('@tabler/icons/user-minus.svg'), icon: require('@tabler/icons/trash.svg'),
destructive: true,
}]; }];
}; };
@ -82,57 +83,76 @@ const Report: React.FC<IReport> = ({ id }) => {
const reporterAcct = account.acct as string; const reporterAcct = account.acct as string;
return ( return (
<div className='admin-report' key={report.id}> <HStack space={3} className='p-3' key={report.id}>
<div className='admin-report__avatar'> <HoverRefWrapper accountId={targetAccount.id} inline>
<HoverRefWrapper accountId={targetAccount.id as string} inline> <Link to={`/@${acct}`} title={acct}>
<Link to={`/@${acct}`} title={acct}> <Avatar account={targetAccount} size={32} />
<Avatar account={targetAccount} size={32} /> </Link>
</Link> </HoverRefWrapper>
</HoverRefWrapper>
</div> <Stack space={3} className='overflow-hidden' grow>
<div className='admin-report__content'> <Text tag='h4' weight='bold'>
<h4 className='admin-report__title'>
<FormattedMessage <FormattedMessage
id='admin.reports.report_title' id='admin.reports.report_title'
defaultMessage='Report on {acct}' defaultMessage='Report on {acct}'
values={{ acct: ( values={{ acct: (
<HoverRefWrapper accountId={account.id as string} inline> <HoverRefWrapper accountId={account.id} inline>
<Link to={`/@${acct}`} title={acct}>@{acct}</Link> <Link to={`/@${acct}`} title={acct}>@{acct}</Link>
</HoverRefWrapper> </HoverRefWrapper>
) }} ) }}
/> />
</h4> </Text>
<div className='admin-report__statuses'>
{statusCount > 0 && ( {statusCount > 0 && (
<Accordion <Accordion
headline={`Reported posts (${statusCount})`} headline={`Reported posts (${statusCount})`}
expanded={accordionExpanded} expanded={accordionExpanded}
onToggle={handleAccordionToggle} onToggle={handleAccordionToggle}
> >
{statuses.map(status => <ReportStatus report={report} status={status} key={status.id} />)} <Stack space={4}>
</Accordion> {statuses.map(status => (
)} <ReportStatus
</div> key={status.id}
<div className='admin-report__quote'> report={report}
status={status}
/>
))}
</Stack>
</Accordion>
)}
<Stack>
{(report.comment || '').length > 0 && ( {(report.comment || '').length > 0 && (
<blockquote className='md' dangerouslySetInnerHTML={{ __html: report.comment }} /> <Text
tag='blockquote'
dangerouslySetInnerHTML={{ __html: report.comment }}
/>
)} )}
<span className='byline'>
&mdash; <HStack space={1}>
<HoverRefWrapper accountId={account.id as string} inline> <Text theme='muted' tag='span'>&mdash;</Text>
<Link to={`/@${reporterAcct}`} title={reporterAcct}>@{reporterAcct}</Link>
<HoverRefWrapper accountId={account.id} inline>
<Link
to={`/@${reporterAcct}`}
title={reporterAcct}
className='text-primary-600 dark:text-accent-blue hover:underline'
>
@{reporterAcct}
</Link>
</HoverRefWrapper> </HoverRefWrapper>
</span> </HStack>
</div> </Stack>
</div> </Stack>
<HStack space={2} alignItems='start'>
<HStack space={2} alignItems='start' className='flex-none'>
<Button onClick={handleCloseReport}> <Button onClick={handleCloseReport}>
<FormattedMessage id='admin.reports.actions.close' defaultMessage='Close' /> <FormattedMessage id='admin.reports.actions.close' defaultMessage='Close' />
</Button> </Button>
<DropdownMenu items={menu} src={require('@tabler/icons/dots-vertical.svg')} /> <DropdownMenu items={menu} src={require('@tabler/icons/dots-vertical.svg')} />
</HStack> </HStack>
</div> </HStack>
); );
}; };

View File

@ -4,7 +4,7 @@ import { Link } from 'react-router-dom';
import { getSubscribersCsv, getUnsubscribersCsv, getCombinedCsv } from 'soapbox/actions/email-list'; import { getSubscribersCsv, getUnsubscribersCsv, getCombinedCsv } from 'soapbox/actions/email-list';
import { Text } from 'soapbox/components/ui'; import { Text } from 'soapbox/components/ui';
import { useAppSelector, useAppDispatch, useOwnAccount, useFeatures } from 'soapbox/hooks'; import { useAppDispatch, useOwnAccount, useFeatures, useInstance } from 'soapbox/hooks';
import sourceCode from 'soapbox/utils/code'; import sourceCode from 'soapbox/utils/code';
import { download } from 'soapbox/utils/download'; import { download } from 'soapbox/utils/download';
import { parseVersion } from 'soapbox/utils/features'; import { parseVersion } from 'soapbox/utils/features';
@ -14,7 +14,7 @@ import RegistrationModePicker from '../components/registration-mode-picker';
const Dashboard: React.FC = () => { const Dashboard: React.FC = () => {
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useAppSelector(state => state.instance); const instance = useInstance();
const features = useFeatures(); const features = useFeatures();
const account = useOwnAccount(); const account = useOwnAccount();

View File

@ -35,6 +35,7 @@ const Reports: React.FC = () => {
showLoading={showLoading} showLoading={showLoading}
scrollKey='admin-reports' scrollKey='admin-reports'
emptyMessage={intl.formatMessage(messages.emptyMessage)} emptyMessage={intl.formatMessage(messages.emptyMessage)}
className='divide-y divide-solid divide-gray-200 dark:divide-gray-800'
> >
{reports.map(report => report && <Report id={report} key={report} />)} {reports.map(report => report && <Report id={report} key={report} />)}
</ScrollableList> </ScrollableList>

View File

@ -4,7 +4,7 @@ import { FormattedMessage } from 'react-intl';
import { Avatar, Card, HStack, Icon, IconButton, Stack, Text } from 'soapbox/components/ui'; import { Avatar, Card, HStack, Icon, IconButton, Stack, Text } from 'soapbox/components/ui';
import StatusCard from 'soapbox/features/status/components/card'; import StatusCard from 'soapbox/features/status/components/card';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import type { Ad as AdEntity } from 'soapbox/types/soapbox'; import type { Ad as AdEntity } from 'soapbox/types/soapbox';
@ -15,7 +15,7 @@ interface IAd {
/** Displays an ad in sponsored post format. */ /** Displays an ad in sponsored post format. */
const Ad: React.FC<IAd> = ({ ad }) => { const Ad: React.FC<IAd> = ({ ad }) => {
const queryClient = useQueryClient(); const queryClient = useQueryClient();
const instance = useAppSelector(state => state.instance); const instance = useInstance();
const timer = useRef<NodeJS.Timeout | undefined>(undefined); const timer = useRef<NodeJS.Timeout | undefined>(undefined);
const infobox = useRef<HTMLDivElement>(null); const infobox = useRef<HTMLDivElement>(null);

View File

@ -5,9 +5,8 @@ import { addToAliases } from 'soapbox/actions/aliases';
import AccountComponent from 'soapbox/components/account'; import AccountComponent from 'soapbox/components/account';
import IconButton from 'soapbox/components/icon-button'; import IconButton from 'soapbox/components/icon-button';
import { HStack } from 'soapbox/components/ui'; import { HStack } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useFeatures } from 'soapbox/hooks';
import { makeGetAccount } from 'soapbox/selectors'; import { makeGetAccount } from 'soapbox/selectors';
import { getFeatures } from 'soapbox/utils/features';
import type { List as ImmutableList } from 'immutable'; import type { List as ImmutableList } from 'immutable';
@ -23,21 +22,19 @@ interface IAccount {
const Account: React.FC<IAccount> = ({ accountId, aliases }) => { const Account: React.FC<IAccount> = ({ accountId, aliases }) => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const features = useFeatures();
const getAccount = useCallback(makeGetAccount(), []); const getAccount = useCallback(makeGetAccount(), []);
const account = useAppSelector((state) => getAccount(state, accountId)); const account = useAppSelector((state) => getAccount(state, accountId));
const added = useAppSelector((state) => { const me = useAppSelector((state) => state.me);
const instance = state.instance;
const features = getFeatures(instance);
const added = useAppSelector((state) => {
const account = getAccount(state, accountId); const account = getAccount(state, accountId);
const apId = account?.pleroma.get('ap_id'); const apId = account?.pleroma.get('ap_id');
const name = features.accountMoving ? account?.acct : apId; const name = features.accountMoving ? account?.acct : apId;
return aliases.includes(name); return aliases.includes(name);
}); });
const me = useAppSelector((state) => state.me);
const handleOnAdd = () => dispatch(addToAliases(account!)); const handleOnAdd = () => dispatch(addToAliases(account!));

View File

@ -6,9 +6,7 @@ import { fetchAliases, removeFromAliases } from 'soapbox/actions/aliases';
import Icon from 'soapbox/components/icon'; import Icon from 'soapbox/components/icon';
import ScrollableList from 'soapbox/components/scrollable-list'; import ScrollableList from 'soapbox/components/scrollable-list';
import { CardHeader, CardTitle, Column, HStack, Text } from 'soapbox/components/ui'; import { CardHeader, CardTitle, Column, HStack, Text } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useFeatures, useOwnAccount } from 'soapbox/hooks';
import { makeGetAccount } from 'soapbox/selectors';
import { getFeatures } from 'soapbox/utils/features';
import Account from './components/account'; import Account from './components/account';
import Search from './components/search'; import Search from './components/search';
@ -22,22 +20,21 @@ const messages = defineMessages({
delete: { id: 'column.aliases.delete', defaultMessage: 'Delete' }, delete: { id: 'column.aliases.delete', defaultMessage: 'Delete' },
}); });
const getAccount = makeGetAccount();
const Aliases = () => { const Aliases = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const features = useFeatures();
const account = useOwnAccount();
const aliases = useAppSelector((state) => { const aliases = useAppSelector((state) => {
const me = state.me as string; if (features.accountMoving) {
const account = getAccount(state, me); return state.aliases.aliases.items;
} else {
const instance = state.instance; return account!.pleroma.get('also_known_as');
const features = getFeatures(instance); }
if (features.accountMoving) return state.aliases.aliases.items;
return account!.pleroma.get('also_known_as');
}) as ImmutableList<string>; }) as ImmutableList<string>;
const searchAccountIds = useAppSelector((state) => state.aliases.suggestions.items); const searchAccountIds = useAppSelector((state) => state.aliases.suggestions.items);
const loaded = useAppSelector((state) => state.aliases.suggestions.loaded); const loaded = useAppSelector((state) => state.aliases.suggestions.loaded);

View File

@ -4,7 +4,7 @@ import { Link, Redirect, Route, Switch, useHistory, useLocation } from 'react-ro
import LandingGradient from 'soapbox/components/landing-gradient'; import LandingGradient from 'soapbox/components/landing-gradient';
import SiteLogo from 'soapbox/components/site-logo'; import SiteLogo from 'soapbox/components/site-logo';
import { useAppSelector, useFeatures, useSoapboxConfig, useOwnAccount } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useSoapboxConfig, useOwnAccount, useInstance } from 'soapbox/hooks';
import { Button, Card, CardBody } from '../../components/ui'; import { Button, Card, CardBody } from '../../components/ui';
import LoginPage from '../auth-login/components/login-page'; import LoginPage from '../auth-login/components/login-page';
@ -27,12 +27,11 @@ const AuthLayout = () => {
const { search } = useLocation(); const { search } = useLocation();
const account = useOwnAccount(); const account = useOwnAccount();
const siteTitle = useAppSelector(state => state.instance.title); const instance = useInstance();
const soapboxConfig = useSoapboxConfig();
const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true;
const features = useFeatures(); const features = useFeatures();
const instance = useAppSelector((state) => state.instance); const soapboxConfig = useSoapboxConfig();
const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true;
const isOpen = features.accountCreation && instance.registrations; const isOpen = features.accountCreation && instance.registrations;
const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true); const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true);
const isLoginPage = history.location.pathname === '/login'; const isLoginPage = history.location.pathname === '/login';
@ -47,7 +46,7 @@ const AuthLayout = () => {
<header className='flex justify-between relative py-12 px-2 mb-auto'> <header className='flex justify-between relative py-12 px-2 mb-auto'>
<div className='relative z-0 flex-1 px-2 lg:flex lg:items-center lg:justify-center lg:absolute lg:inset-0'> <div className='relative z-0 flex-1 px-2 lg:flex lg:items-center lg:justify-center lg:absolute lg:inset-0'>
<Link to='/' className='cursor-pointer'> <Link to='/' className='cursor-pointer'>
<SiteLogo alt={siteTitle} className='h-7' /> <SiteLogo alt={instance.title} className='h-7' />
</Link> </Link>
</div> </div>

View File

@ -3,7 +3,7 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Card, HStack, Text } from 'soapbox/components/ui'; import { Card, HStack, Text } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import ConsumerButton from './consumer-button'; import ConsumerButton from './consumer-button';
@ -12,7 +12,8 @@ interface IConsumersList {
/** Displays OAuth consumers to log in with. */ /** Displays OAuth consumers to log in with. */
const ConsumersList: React.FC<IConsumersList> = () => { const ConsumersList: React.FC<IConsumersList> = () => {
const providers = useAppSelector(state => ImmutableList<string>(state.instance.pleroma.get('oauth_consumer_strategies'))); const instance = useInstance();
const providers = ImmutableList<string>(instance.pleroma.get('oauth_consumer_strategies'));
if (providers.size > 0) { if (providers.size > 0) {
return ( return (

View File

@ -12,7 +12,7 @@ import { openModal } from 'soapbox/actions/modals';
import BirthdayInput from 'soapbox/components/birthday-input'; import BirthdayInput from 'soapbox/components/birthday-input';
import { Checkbox, Form, FormGroup, FormActions, Button, Input, Textarea } from 'soapbox/components/ui'; import { Checkbox, Form, FormGroup, FormActions, Button, Input, Textarea } from 'soapbox/components/ui';
import CaptchaField from 'soapbox/features/auth-login/components/captcha'; import CaptchaField from 'soapbox/features/auth-login/components/captcha';
import { useAppSelector, useAppDispatch, useSettings, useFeatures } from 'soapbox/hooks'; import { useAppDispatch, useSettings, useFeatures, useInstance } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
username: { id: 'registration.fields.username_placeholder', defaultMessage: 'Username' }, username: { id: 'registration.fields.username_placeholder', defaultMessage: 'Username' },
@ -42,7 +42,7 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
const settings = useSettings(); const settings = useSettings();
const features = useFeatures(); const features = useFeatures();
const instance = useAppSelector(state => state.instance); const instance = useInstance();
const locale = settings.get('locale'); const locale = settings.get('locale');
const needsConfirmation = !!instance.pleroma.getIn(['metadata', 'account_activation_required']); const needsConfirmation = !!instance.pleroma.getIn(['metadata', 'account_activation_required']);

View File

@ -17,7 +17,7 @@ import AutosuggestInput, { AutoSuggestion } from 'soapbox/components/autosuggest
import AutosuggestTextarea from 'soapbox/components/autosuggest-textarea'; import AutosuggestTextarea from 'soapbox/components/autosuggest-textarea';
import Icon from 'soapbox/components/icon'; import Icon from 'soapbox/components/icon';
import { Button, HStack, Stack } from 'soapbox/components/ui'; import { Button, HStack, Stack } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector, useCompose, useFeatures, usePrevious } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useCompose, useFeatures, useInstance, usePrevious } from 'soapbox/hooks';
import { isMobile } from 'soapbox/is-mobile'; import { isMobile } from 'soapbox/is-mobile';
import QuotedStatusContainer from '../containers/quoted-status-container'; import QuotedStatusContainer from '../containers/quoted-status-container';
@ -69,11 +69,12 @@ const ComposeForm = <ID extends string>({ id, shouldCondense, autoFocus, clickab
const history = useHistory(); const history = useHistory();
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const { configuration } = useInstance();
const compose = useCompose(id); const compose = useCompose(id);
const showSearch = useAppSelector((state) => state.search.submitted && !state.search.hidden); const showSearch = useAppSelector((state) => state.search.submitted && !state.search.hidden);
const isModalOpen = useAppSelector((state) => !!(state.modals.size && state.modals.last()!.modalType === 'COMPOSE')); const isModalOpen = useAppSelector((state) => !!(state.modals.size && state.modals.last()!.modalType === 'COMPOSE'));
const maxTootChars = useAppSelector((state) => state.instance.getIn(['configuration', 'statuses', 'max_characters'])) as number; const maxTootChars = configuration.getIn(['statuses', 'max_characters']) as number;
const scheduledStatusCount = useAppSelector((state) => state.get('scheduled_statuses').size); const scheduledStatusCount = useAppSelector((state) => state.get('scheduled_statuses').size);
const features = useFeatures(); const features = useFeatures();

View File

@ -4,10 +4,11 @@ import { defineMessages, FormattedMessage, useIntl } from 'react-intl';
import { addPollOption, changePollOption, changePollSettings, clearComposeSuggestions, fetchComposeSuggestions, removePoll, removePollOption, selectComposeSuggestion } from 'soapbox/actions/compose'; import { addPollOption, changePollOption, changePollSettings, clearComposeSuggestions, fetchComposeSuggestions, removePoll, removePollOption, selectComposeSuggestion } from 'soapbox/actions/compose';
import AutosuggestInput from 'soapbox/components/autosuggest-input'; import AutosuggestInput from 'soapbox/components/autosuggest-input';
import { Button, Divider, HStack, Stack, Text, Toggle } from 'soapbox/components/ui'; import { Button, Divider, HStack, Stack, Text, Toggle } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector, useCompose } from 'soapbox/hooks'; import { useAppDispatch, useCompose, useInstance } from 'soapbox/hooks';
import DurationSelector from './duration-selector'; import DurationSelector from './duration-selector';
import type { Map as ImmutableMap } from 'immutable';
import type { AutoSuggestion } from 'soapbox/components/autosuggest-input'; import type { AutoSuggestion } from 'soapbox/components/autosuggest-input';
const messages = defineMessages({ const messages = defineMessages({
@ -110,16 +111,17 @@ interface IPollForm {
const PollForm: React.FC<IPollForm> = ({ composeId }) => { const PollForm: React.FC<IPollForm> = ({ composeId }) => {
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const intl = useIntl(); const intl = useIntl();
const { configuration } = useInstance();
const compose = useCompose(composeId); const compose = useCompose(composeId);
const pollLimits = useAppSelector((state) => state.instance.getIn(['configuration', 'polls']) as any); const pollLimits = configuration.get('polls') as ImmutableMap<string, number>;
const options = compose.poll?.options; const options = compose.poll?.options;
const expiresIn = compose.poll?.expires_in; const expiresIn = compose.poll?.expires_in;
const isMultiple = compose.poll?.multiple; const isMultiple = compose.poll?.multiple;
const maxOptions = pollLimits.get('max_options'); const maxOptions = pollLimits.get('max_options') as number;
const maxOptionChars = pollLimits.get('max_characters_per_option'); const maxOptionChars = pollLimits.get('max_characters_per_option') as number;
const onRemoveOption = (index: number) => dispatch(removePollOption(composeId, index)); const onRemoveOption = (index: number) => dispatch(removePollOption(composeId, index));
const onChangeOption = (index: number, title: string) => dispatch(changePollOption(composeId, index, title)); const onChangeOption = (index: number, title: string) => dispatch(changePollOption(composeId, index, title));

View File

@ -3,10 +3,9 @@ import { FormattedList, FormattedMessage } from 'react-intl';
import { useDispatch } from 'react-redux'; import { useDispatch } from 'react-redux';
import { openModal } from 'soapbox/actions/modals'; import { openModal } from 'soapbox/actions/modals';
import { useAppSelector, useCompose } from 'soapbox/hooks'; import { useAppSelector, useCompose, useFeatures } from 'soapbox/hooks';
import { statusToMentionsAccountIdsArray } from 'soapbox/reducers/compose'; import { statusToMentionsAccountIdsArray } from 'soapbox/reducers/compose';
import { makeGetStatus } from 'soapbox/selectors'; import { makeGetStatus } from 'soapbox/selectors';
import { getFeatures } from 'soapbox/utils/features';
import type { Status as StatusEntity } from 'soapbox/types/entities'; import type { Status as StatusEntity } from 'soapbox/types/entities';
@ -16,18 +15,15 @@ interface IReplyMentions {
const ReplyMentions: React.FC<IReplyMentions> = ({ composeId }) => { const ReplyMentions: React.FC<IReplyMentions> = ({ composeId }) => {
const dispatch = useDispatch(); const dispatch = useDispatch();
const getStatus = useCallback(makeGetStatus(), []); const features = useFeatures();
const compose = useCompose(composeId); const compose = useCompose(composeId);
const instance = useAppSelector((state) => state.instance); const getStatus = useCallback(makeGetStatus(), []);
const status = useAppSelector<StatusEntity | null>(state => getStatus(state, { id: compose.in_reply_to! })); const status = useAppSelector<StatusEntity | null>(state => getStatus(state, { id: compose.in_reply_to! }));
const to = compose.to; const to = compose.to;
const account = useAppSelector((state) => state.accounts.get(state.me)); const account = useAppSelector((state) => state.accounts.get(state.me));
const { explicitAddressing } = getFeatures(instance); if (!features.explicitAddressing || !status || !to) {
if (!explicitAddressing || !status || !to) {
return null; return null;
} }

View File

@ -2,7 +2,7 @@ import React, { useRef } from 'react';
import { defineMessages, IntlShape, useIntl } from 'react-intl'; import { defineMessages, IntlShape, useIntl } from 'react-intl';
import { IconButton } from 'soapbox/components/ui'; import { IconButton } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import type { List as ImmutableList } from 'immutable'; import type { List as ImmutableList } from 'immutable';
@ -29,9 +29,10 @@ const UploadButton: React.FC<IUploadButton> = ({
resetFileKey, resetFileKey,
}) => { }) => {
const intl = useIntl(); const intl = useIntl();
const { configuration } = useInstance();
const fileElement = useRef<HTMLInputElement>(null); const fileElement = useRef<HTMLInputElement>(null);
const attachmentTypes = useAppSelector(state => state.instance.configuration.getIn(['media_attachments', 'supported_mime_types']) as ImmutableList<string>); const attachmentTypes = configuration.getIn(['media_attachments', 'supported_mime_types']) as ImmutableList<string>;
const handleChange: React.ChangeEventHandler<HTMLInputElement> = (e) => { const handleChange: React.ChangeEventHandler<HTMLInputElement> = (e) => {
if (e.target.files?.length) { if (e.target.files?.length) {

View File

@ -10,7 +10,7 @@ import { openModal } from 'soapbox/actions/modals';
import Blurhash from 'soapbox/components/blurhash'; import Blurhash from 'soapbox/components/blurhash';
import Icon from 'soapbox/components/icon'; import Icon from 'soapbox/components/icon';
import IconButton from 'soapbox/components/icon-button'; import IconButton from 'soapbox/components/icon-button';
import { useAppDispatch, useAppSelector, useCompose } from 'soapbox/hooks'; import { useAppDispatch, useCompose, useInstance } from 'soapbox/hooks';
import Motion from '../../ui/util/optional-motion'; import Motion from '../../ui/util/optional-motion';
@ -70,9 +70,9 @@ const Upload: React.FC<IUpload> = ({ composeId, id }) => {
const intl = useIntl(); const intl = useIntl();
const history = useHistory(); const history = useHistory();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const { description_limit: descriptionLimit } = useInstance();
const media = useCompose(composeId).media_attachments.find(item => item.get('id') === id)!; const media = useCompose(composeId).media_attachments.find(item => item.id === id)!;
const descriptionLimit = useAppSelector((state) => state.instance.get('description_limit'));
const [hovered, setHovered] = useState(false); const [hovered, setHovered] = useState(false);
const [focused, setFocused] = useState(false); const [focused, setFocused] = useState(false);

View File

@ -3,7 +3,7 @@ import { FormattedMessage, defineMessages, useIntl } from 'react-intl';
import { useHistory } from 'react-router-dom'; import { useHistory } from 'react-router-dom';
import { Text, Widget } from 'soapbox/components/ui'; import { Text, Widget } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useInstance, useSoapboxConfig } from 'soapbox/hooks';
import SiteWallet from './site-wallet'; import SiteWallet from './site-wallet';
@ -18,9 +18,9 @@ interface ICryptoDonatePanel {
const CryptoDonatePanel: React.FC<ICryptoDonatePanel> = ({ limit = 3 }): JSX.Element | null => { const CryptoDonatePanel: React.FC<ICryptoDonatePanel> = ({ limit = 3 }): JSX.Element | null => {
const intl = useIntl(); const intl = useIntl();
const history = useHistory(); const history = useHistory();
const instance = useInstance();
const addresses = useSoapboxConfig().get('cryptoAddresses'); const addresses = useSoapboxConfig().get('cryptoAddresses');
const siteTitle = useAppSelector((state) => state.instance.title);
if (limit === 0 || addresses.size === 0) { if (limit === 0 || addresses.size === 0) {
return null; return null;
@ -40,7 +40,7 @@ const CryptoDonatePanel: React.FC<ICryptoDonatePanel> = ({ limit = 3 }): JSX.Ele
<FormattedMessage <FormattedMessage
id='crypto_donate_panel.intro.message' id='crypto_donate_panel.intro.message'
defaultMessage='{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!' defaultMessage='{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!'
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
</Text> </Text>

View File

@ -2,7 +2,7 @@ import React, { useState } from 'react';
import { defineMessages, useIntl, FormattedMessage } from 'react-intl'; import { defineMessages, useIntl, FormattedMessage } from 'react-intl';
import { Accordion, Column, Stack } from 'soapbox/components/ui'; import { Accordion, Column, Stack } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import SiteWallet from './components/site-wallet'; import SiteWallet from './components/site-wallet';
@ -11,9 +11,10 @@ const messages = defineMessages({
}); });
const CryptoDonate: React.FC = (): JSX.Element => { const CryptoDonate: React.FC = (): JSX.Element => {
const [explanationBoxExpanded, toggleExplanationBox] = useState(true);
const siteTitle = useAppSelector((state) => state.instance.title);
const intl = useIntl(); const intl = useIntl();
const instance = useInstance();
const [explanationBoxExpanded, toggleExplanationBox] = useState(true);
return ( return (
<Column label={intl.formatMessage(messages.heading)} withHeader> <Column label={intl.formatMessage(messages.heading)} withHeader>
@ -26,7 +27,7 @@ const CryptoDonate: React.FC = (): JSX.Element => {
<FormattedMessage <FormattedMessage
id='crypto_donate.explanation_box.message' id='crypto_donate.explanation_box.message'
defaultMessage='{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!' defaultMessage='{siteTitle} accepts cryptocurrency donations. You may send a donation to any of the addresses below. Thank you for your support!'
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
</Accordion> </Accordion>

View File

@ -7,8 +7,7 @@ import { useLocation } from 'react-router-dom';
import { fetchDirectory, expandDirectory } from 'soapbox/actions/directory'; import { fetchDirectory, expandDirectory } from 'soapbox/actions/directory';
import LoadMore from 'soapbox/components/load-more'; import LoadMore from 'soapbox/components/load-more';
import { Column, RadioButton, Stack, Text } from 'soapbox/components/ui'; import { Column, RadioButton, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useInstance } from 'soapbox/hooks';
import { getFeatures } from 'soapbox/utils/features';
import AccountCard from './components/account-card'; import AccountCard from './components/account-card';
@ -25,11 +24,11 @@ const Directory = () => {
const dispatch = useDispatch(); const dispatch = useDispatch();
const { search } = useLocation(); const { search } = useLocation();
const params = new URLSearchParams(search); const params = new URLSearchParams(search);
const instance = useInstance();
const features = useFeatures();
const accountIds = useAppSelector((state) => state.user_lists.directory.items); const accountIds = useAppSelector((state) => state.user_lists.directory.items);
const isLoading = useAppSelector((state) => state.user_lists.directory.isLoading); const isLoading = useAppSelector((state) => state.user_lists.directory.isLoading);
const title = useAppSelector((state) => state.instance.get('title'));
const features = useAppSelector((state) => getFeatures(state.instance));
const [order, setOrder] = useState(params.get('order') || 'active'); const [order, setOrder] = useState(params.get('order') || 'active');
const [local, setLocal] = useState(!!params.get('local')); const [local, setLocal] = useState(!!params.get('local'));
@ -71,7 +70,7 @@ const Directory = () => {
<fieldset className='mt-3'> <fieldset className='mt-3'>
<legend className='sr-only'>Fediverse filter</legend> <legend className='sr-only'>Fediverse filter</legend>
<div className='space-y-2'> <div className='space-y-2'>
<RadioButton name='local' value='1' label={intl.formatMessage(messages.local, { domain: title })} checked={local} onChange={handleChangeLocal} /> <RadioButton name='local' value='1' label={intl.formatMessage(messages.local, { domain: instance.title })} checked={local} onChange={handleChangeLocal} />
<RadioButton name='local' value='0' label={intl.formatMessage(messages.federated)} checked={!local} onChange={handleChangeLocal} /> <RadioButton name='local' value='0' label={intl.formatMessage(messages.federated)} checked={!local} onChange={handleChangeLocal} />
</div> </div>
</fieldset> </fieldset>

View File

@ -19,7 +19,7 @@ import {
Textarea, Textarea,
Toggle, Toggle,
} from 'soapbox/components/ui'; } from 'soapbox/components/ui';
import { useAppSelector, useAppDispatch, useOwnAccount, useFeatures } from 'soapbox/hooks'; import { useAppDispatch, useOwnAccount, useFeatures, useInstance } from 'soapbox/hooks';
import { normalizeAccount } from 'soapbox/normalizers'; import { normalizeAccount } from 'soapbox/normalizers';
import resizeImage from 'soapbox/utils/resize-image'; import resizeImage from 'soapbox/utils/resize-image';
@ -171,10 +171,11 @@ const ProfileField: StreamfieldComponent<AccountCredentialsField> = ({ value, on
const EditProfile: React.FC = () => { const EditProfile: React.FC = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const account = useOwnAccount(); const account = useOwnAccount();
const features = useFeatures(); const features = useFeatures();
const maxFields = useAppSelector(state => state.instance.pleroma.getIn(['metadata', 'fields_limits', 'max_fields'], 4) as number); const maxFields = instance.pleroma.getIn(['metadata', 'fields_limits', 'max_fields'], 4) as number;
const [isLoading, setLoading] = useState(false); const [isLoading, setLoading] = useState(false);
const [data, setData] = useState<AccountCredentials>({}); const [data, setData] = useState<AccountCredentials>({});

View File

@ -5,7 +5,7 @@ import { FormattedMessage } from 'react-intl';
import Icon from 'soapbox/components/icon'; import Icon from 'soapbox/components/icon';
import { HStack, Stack, Text } from 'soapbox/components/ui'; import { HStack, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import type { Map as ImmutableMap } from 'immutable'; import type { Map as ImmutableMap } from 'immutable';
@ -38,7 +38,7 @@ interface IInstanceRestrictions {
} }
const InstanceRestrictions: React.FC<IInstanceRestrictions> = ({ remoteInstance }) => { const InstanceRestrictions: React.FC<IInstanceRestrictions> = ({ remoteInstance }) => {
const instance = useAppSelector(state => state.instance); const instance = useInstance();
const renderRestrictions = () => { const renderRestrictions = () => {
const items = []; const items = [];

View File

@ -1,9 +1,9 @@
import React, { useState } from 'react'; import React, { useState, useCallback } from 'react';
import { defineMessages, useIntl } from 'react-intl'; import { defineMessages, useIntl } from 'react-intl';
import ScrollableList from 'soapbox/components/scrollable-list'; import ScrollableList from 'soapbox/components/scrollable-list';
import { Accordion } from 'soapbox/components/ui'; import { Accordion } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useAppSelector, useInstance } from 'soapbox/hooks';
import { makeGetHosts } from 'soapbox/selectors'; import { makeGetHosts } from 'soapbox/selectors';
import { federationRestrictionsDisclosed } from 'soapbox/utils/state'; import { federationRestrictionsDisclosed } from 'soapbox/utils/state';
@ -21,12 +21,12 @@ const messages = defineMessages({
notDisclosed: { id: 'federation_restrictions.not_disclosed_message', defaultMessage: '{siteTitle} does not disclose federation restrictions through the API.' }, notDisclosed: { id: 'federation_restrictions.not_disclosed_message', defaultMessage: '{siteTitle} does not disclose federation restrictions through the API.' },
}); });
const getHosts = makeGetHosts();
const FederationRestrictions = () => { const FederationRestrictions = () => {
const intl = useIntl(); const intl = useIntl();
const instance = useInstance();
const getHosts = useCallback(makeGetHosts(), []);
const siteTitle = useAppSelector((state) => state.instance.get('title'));
const hosts = useAppSelector((state) => getHosts(state)) as ImmutableOrderedSet<string>; const hosts = useAppSelector((state) => getHosts(state)) as ImmutableOrderedSet<string>;
const disclosed = useAppSelector((state) => federationRestrictionsDisclosed(state)); const disclosed = useAppSelector((state) => federationRestrictionsDisclosed(state));
@ -45,11 +45,11 @@ const FederationRestrictions = () => {
expanded={explanationBoxExpanded} expanded={explanationBoxExpanded}
onToggle={toggleExplanationBox} onToggle={toggleExplanationBox}
> >
{intl.formatMessage(messages.boxMessage, { siteTitle })} {intl.formatMessage(messages.boxMessage, { siteTitle: instance.title })}
</Accordion> </Accordion>
<div className='pt-4'> <div className='pt-4'>
<ScrollableList emptyMessage={intl.formatMessage(emptyMessage, { siteTitle })}> <ScrollableList emptyMessage={intl.formatMessage(emptyMessage, { siteTitle: instance.title })}>
{hosts.map((host) => <RestrictedInstance key={host} host={host} />)} {hosts.map((host) => <RestrictedInstance key={host} host={host} />)}
</ScrollableList> </ScrollableList>
</div> </div>

View File

@ -8,7 +8,7 @@ import { expandHomeTimeline } from 'soapbox/actions/timelines';
import PullToRefresh from 'soapbox/components/pull-to-refresh'; import PullToRefresh from 'soapbox/components/pull-to-refresh';
import { Column, Stack, Text } from 'soapbox/components/ui'; import { Column, Stack, Text } from 'soapbox/components/ui';
import Timeline from 'soapbox/features/ui/components/timeline'; import Timeline from 'soapbox/features/ui/components/timeline';
import { useAppSelector, useAppDispatch, useFeatures } from 'soapbox/hooks'; import { useAppSelector, useAppDispatch, useFeatures, useInstance } from 'soapbox/hooks';
import { clearFeedAccountId } from '../../actions/timelines'; import { clearFeedAccountId } from '../../actions/timelines';
@ -20,12 +20,12 @@ const HomeTimeline: React.FC = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const features = useFeatures(); const features = useFeatures();
const instance = useInstance();
const polling = useRef<NodeJS.Timer | null>(null); const polling = useRef<NodeJS.Timer | null>(null);
const isPartial = useAppSelector(state => state.timelines.get('home')?.isPartial === true); const isPartial = useAppSelector(state => state.timelines.get('home')?.isPartial === true);
const currentAccountId = useAppSelector(state => state.timelines.get('home')?.feedAccountId as string | undefined); const currentAccountId = useAppSelector(state => state.timelines.get('home')?.feedAccountId as string | undefined);
const siteTitle = useAppSelector(state => state.instance.title);
const currentAccountRelationship = useAppSelector(state => currentAccountId ? state.relationships.get(currentAccountId) : null); const currentAccountRelationship = useAppSelector(state => currentAccountId ? state.relationships.get(currentAccountId) : null);
const handleLoadMore = (maxId: string) => { const handleLoadMore = (maxId: string) => {
@ -104,7 +104,7 @@ const HomeTimeline: React.FC = () => {
<FormattedMessage <FormattedMessage
id='empty_column.home.subtitle' id='empty_column.home.subtitle'
defaultMessage='{siteTitle} gets more interesting once you follow other users.' defaultMessage='{siteTitle} gets more interesting once you follow other users.'
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
</Text> </Text>
@ -116,7 +116,7 @@ const HomeTimeline: React.FC = () => {
values={{ values={{
public: ( public: (
<Link to='/timeline/local' className='text-primary-600 dark:text-primary-400 hover:underline'> <Link to='/timeline/local' className='text-primary-600 dark:text-primary-400 hover:underline'>
<FormattedMessage id='empty_column.home.local_tab' defaultMessage='the {site_title} tab' values={{ site_title: siteTitle }} /> <FormattedMessage id='empty_column.home.local_tab' defaultMessage='the {site_title} tab' values={{ site_title: instance.title }} />
</Link> </Link>
), ),
}} }}

View File

@ -6,7 +6,7 @@ import Markup from 'soapbox/components/markup';
import { Button, Card, CardBody, Stack, Text } from 'soapbox/components/ui'; import { Button, Card, CardBody, Stack, Text } from 'soapbox/components/ui';
import VerificationBadge from 'soapbox/components/verification-badge'; import VerificationBadge from 'soapbox/components/verification-badge';
import RegistrationForm from 'soapbox/features/auth-login/components/registration-form'; import RegistrationForm from 'soapbox/features/auth-login/components/registration-form';
import { useAppDispatch, useAppSelector, useFeatures, useSoapboxConfig } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useFeatures, useInstance, useSoapboxConfig } from 'soapbox/hooks';
import { capitalize } from 'soapbox/utils/strings'; import { capitalize } from 'soapbox/utils/strings';
const LandingPage = () => { const LandingPage = () => {
@ -15,7 +15,7 @@ const LandingPage = () => {
const soapboxConfig = useSoapboxConfig(); const soapboxConfig = useSoapboxConfig();
const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true; const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true;
const instance = useAppSelector((state) => state.instance); const instance = useInstance();
const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true); const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true);
/** Registrations are closed */ /** Registrations are closed */

View File

@ -5,7 +5,7 @@ import { Link } from 'react-router-dom';
import { moveAccount } from 'soapbox/actions/security'; import { moveAccount } from 'soapbox/actions/security';
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import { Button, Column, Form, FormActions, FormGroup, Input, Text } from 'soapbox/components/ui'; import { Button, Column, Form, FormActions, FormGroup, Input, Text } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useInstance } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
heading: { id: 'column.migration', defaultMessage: 'Account migration' }, heading: { id: 'column.migration', defaultMessage: 'Account migration' },
@ -21,8 +21,9 @@ const messages = defineMessages({
const Migration = () => { const Migration = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const cooldownPeriod = useAppSelector((state) => state.instance.pleroma.getIn(['metadata', 'migration_cooldown_period'])) as number | undefined; const cooldownPeriod = instance.pleroma.getIn(['metadata', 'migration_cooldown_period']) as number | undefined;
const [targetAccount, setTargetAccount] = useState(''); const [targetAccount, setTargetAccount] = useState('');
const [password, setPassword] = useState(''); const [password, setPassword] = useState('');

View File

@ -12,7 +12,7 @@ import Icon from 'soapbox/components/icon';
import { HStack, Text, Emoji } from 'soapbox/components/ui'; import { HStack, Text, Emoji } from 'soapbox/components/ui';
import AccountContainer from 'soapbox/containers/account-container'; import AccountContainer from 'soapbox/containers/account-container';
import StatusContainer from 'soapbox/containers/status-container'; import StatusContainer from 'soapbox/containers/status-container';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useInstance } from 'soapbox/hooks';
import { makeGetNotification } from 'soapbox/selectors'; import { makeGetNotification } from 'soapbox/selectors';
import { NotificationType, validType } from 'soapbox/utils/notification'; import { NotificationType, validType } from 'soapbox/utils/notification';
@ -172,7 +172,7 @@ const Notification: React.FC<INotificaton> = (props) => {
const history = useHistory(); const history = useHistory();
const intl = useIntl(); const intl = useIntl();
const instance = useAppSelector((state) => state.instance); const instance = useInstance();
const type = notification.type; const type = notification.type;
const { account, status } = notification; const { account, status } = notification;

View File

@ -3,13 +3,13 @@ import { FormattedMessage } from 'react-intl';
import Account from 'soapbox/components/account'; import Account from 'soapbox/components/account';
import { Button, Card, CardBody, Icon, Stack, Text } from 'soapbox/components/ui'; import { Button, Card, CardBody, Icon, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useOwnAccount } from 'soapbox/hooks'; import { useInstance, useOwnAccount } from 'soapbox/hooks';
import type { Account as AccountEntity } from 'soapbox/types/entities'; import type { Account as AccountEntity } from 'soapbox/types/entities';
const FediverseStep = ({ onNext }: { onNext: () => void }) => { const FediverseStep = ({ onNext }: { onNext: () => void }) => {
const siteTitle = useAppSelector((state) => state.instance.title);
const account = useOwnAccount() as AccountEntity; const account = useOwnAccount() as AccountEntity;
const instance = useInstance();
return ( return (
<Card variant='rounded' size='xl'> <Card variant='rounded' size='xl'>
@ -22,7 +22,7 @@ const FediverseStep = ({ onNext }: { onNext: () => void }) => {
id='onboarding.fediverse.title' id='onboarding.fediverse.title'
defaultMessage='{siteTitle} is just one part of the Fediverse' defaultMessage='{siteTitle} is just one part of the Fediverse'
values={{ values={{
siteTitle, siteTitle: instance.title,
}} }}
/> />
</Text> </Text>
@ -35,7 +35,7 @@ const FediverseStep = ({ onNext }: { onNext: () => void }) => {
id='onboarding.fediverse.message' id='onboarding.fediverse.message'
defaultMessage='The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka "servers"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.' defaultMessage='The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka "servers"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.'
values={{ values={{
siteTitle, siteTitle: instance.title,
}} }}
/> />
</Text> </Text>

View File

@ -8,7 +8,7 @@ import { fetchInstance } from 'soapbox/actions/instance';
import { openModal } from 'soapbox/actions/modals'; import { openModal } from 'soapbox/actions/modals';
import SiteLogo from 'soapbox/components/site-logo'; import SiteLogo from 'soapbox/components/site-logo';
import { Button, Form, HStack, IconButton, Input, Tooltip } from 'soapbox/components/ui'; import { Button, Form, HStack, IconButton, Input, Tooltip } from 'soapbox/components/ui';
import { useAppSelector, useFeatures, useSoapboxConfig, useOwnAccount } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useSoapboxConfig, useOwnAccount, useInstance } from 'soapbox/hooks';
import Sonar from './sonar'; import Sonar from './sonar';
@ -34,7 +34,7 @@ const Header = () => {
const { links } = soapboxConfig; const { links } = soapboxConfig;
const features = useFeatures(); const features = useFeatures();
const instance = useAppSelector((state) => state.instance); const instance = useInstance();
const isOpen = features.accountCreation && instance.registrations; const isOpen = features.accountCreation && instance.registrations;
const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true); const pepeOpen = useAppSelector(state => state.verification.instance.get('registrations') === true);

View File

@ -8,7 +8,7 @@ import { expandPublicTimeline } from 'soapbox/actions/timelines';
import PullToRefresh from 'soapbox/components/pull-to-refresh'; import PullToRefresh from 'soapbox/components/pull-to-refresh';
import SubNavigation from 'soapbox/components/sub-navigation'; import SubNavigation from 'soapbox/components/sub-navigation';
import { Accordion, Column } from 'soapbox/components/ui'; import { Accordion, Column } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector, useSettings } from 'soapbox/hooks'; import { useAppDispatch, useInstance, useSettings } from 'soapbox/hooks';
import PinnedHostsPicker from '../remote-timeline/components/pinned-hosts-picker'; import PinnedHostsPicker from '../remote-timeline/components/pinned-hosts-picker';
import Timeline from '../ui/components/timeline'; import Timeline from '../ui/components/timeline';
@ -22,12 +22,12 @@ const CommunityTimeline = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const settings = useSettings(); const settings = useSettings();
const onlyMedia = settings.getIn(['public', 'other', 'onlyMedia']); const onlyMedia = settings.getIn(['public', 'other', 'onlyMedia']);
const timelineId = 'public'; const timelineId = 'public';
const siteTitle = useAppSelector((state) => state.instance.title);
const explanationBoxExpanded = settings.get('explanationBox'); const explanationBoxExpanded = settings.get('explanationBox');
const showExplanationBox = settings.get('showExplanationBox'); const showExplanationBox = settings.get('showExplanationBox');
@ -79,13 +79,13 @@ const CommunityTimeline = () => {
id='fediverse_tab.explanation_box.explanation' id='fediverse_tab.explanation_box.explanation'
defaultMessage='{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka "servers"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don&apos;t like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.' defaultMessage='{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka "servers"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don&apos;t like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.'
values={{ values={{
site_title: siteTitle, site_title: instance.title,
local: ( local: (
<Link to='/timeline/local'> <Link to='/timeline/local'>
<FormattedMessage <FormattedMessage
id='empty_column.home.local_tab' id='empty_column.home.local_tab'
defaultMessage='the {site_title} tab' defaultMessage='the {site_title} tab'
values={{ site_title: siteTitle }} values={{ site_title: instance.title }}
/> />
</Link> </Link>
), ),

View File

@ -4,7 +4,7 @@ import { useParams } from 'react-router-dom';
import { Stack, CardTitle, Text } from 'soapbox/components/ui'; import { Stack, CardTitle, Text } from 'soapbox/components/ui';
import RegistrationForm from 'soapbox/features/auth-login/components/registration-form'; import RegistrationForm from 'soapbox/features/auth-login/components/registration-form';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
interface RegisterInviteParams { interface RegisterInviteParams {
token: string, token: string,
@ -12,14 +12,14 @@ interface RegisterInviteParams {
/** Page to register with an invitation. */ /** Page to register with an invitation. */
const RegisterInvite: React.FC = () => { const RegisterInvite: React.FC = () => {
const instance = useInstance();
const { token } = useParams<RegisterInviteParams>(); const { token } = useParams<RegisterInviteParams>();
const siteTitle = useAppSelector(state => state.instance.title);
const title = ( const title = (
<FormattedMessage <FormattedMessage
id='register_invite.title' id='register_invite.title'
defaultMessage="You've been invited to join {siteTitle}!" defaultMessage="You've been invited to join {siteTitle}!"
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
); );

View File

@ -2,7 +2,7 @@ import React from 'react';
import { defineMessages, useIntl } from 'react-intl'; import { defineMessages, useIntl } from 'react-intl';
import { Column, Divider, Stack, Text } from 'soapbox/components/ui'; import { Column, Divider, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useInstance } from 'soapbox/hooks';
import LinkFooter from '../ui/components/link-footer'; import LinkFooter from '../ui/components/link-footer';
import PromoPanel from '../ui/components/promo-panel'; import PromoPanel from '../ui/components/promo-panel';
@ -13,7 +13,7 @@ const messages = defineMessages({
const ServerInfo = () => { const ServerInfo = () => {
const intl = useIntl(); const intl = useIntl();
const instance = useAppSelector((state) => state.instance); const instance = useInstance();
return ( return (
<Column label={intl.formatMessage(messages.heading)}> <Column label={intl.formatMessage(messages.heading)}>

View File

@ -6,8 +6,7 @@ import { useHistory } from 'react-router-dom';
import { fetchMfa } from 'soapbox/actions/mfa'; import { fetchMfa } from 'soapbox/actions/mfa';
import List, { ListItem } from 'soapbox/components/list'; import List, { ListItem } from 'soapbox/components/list';
import { Card, CardBody, CardHeader, CardTitle, Column } from 'soapbox/components/ui'; import { Card, CardBody, CardHeader, CardTitle, Column } from 'soapbox/components/ui';
import { useAppSelector, useOwnAccount } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useOwnAccount } from 'soapbox/hooks';
import { getFeatures } from 'soapbox/utils/features';
import Preferences from '../preferences'; import Preferences from '../preferences';
@ -36,7 +35,7 @@ const Settings = () => {
const intl = useIntl(); const intl = useIntl();
const mfa = useAppSelector((state) => state.security.get('mfa')); const mfa = useAppSelector((state) => state.security.get('mfa'));
const features = useAppSelector((state) => getFeatures(state.instance)); const features = useFeatures();
const account = useOwnAccount(); const account = useOwnAccount();
const navigateToChangeEmail = () => history.push('/settings/email'); const navigateToChangeEmail = () => history.push('/settings/email');

View File

@ -52,6 +52,8 @@ const messages = defineMessages({
singleUserModeHint: { id: 'soapbox_config.single_user_mode_hint', defaultMessage: 'Front page will redirect to a given user profile.' }, singleUserModeHint: { id: 'soapbox_config.single_user_mode_hint', defaultMessage: 'Front page will redirect to a given user profile.' },
singleUserModeProfileLabel: { id: 'soapbox_config.single_user_mode_profile_label', defaultMessage: 'Main user handle' }, singleUserModeProfileLabel: { id: 'soapbox_config.single_user_mode_profile_label', defaultMessage: 'Main user handle' },
singleUserModeProfileHint: { id: 'soapbox_config.single_user_mode_profile_hint', defaultMessage: '@handle' }, singleUserModeProfileHint: { id: 'soapbox_config.single_user_mode_profile_hint', defaultMessage: '@handle' },
feedInjectionLabel: { id: 'soapbox_config.feed_injection_label', defaultMessage: 'Feed injection' },
feedInjectionHint: { id: 'soapbox_config.feed_injection_hint', defaultMessage: 'Inject the feed with additional content, such as suggested profiles.' },
}); });
type ValueGetter<T = Element> = (e: React.ChangeEvent<T>) => any; type ValueGetter<T = Element> = (e: React.ChangeEvent<T>) => any;
@ -261,6 +263,16 @@ const SoapboxConfig: React.FC = () => {
/> />
</ListItem> </ListItem>
<ListItem
label={intl.formatMessage(messages.feedInjectionLabel)}
hint={intl.formatMessage(messages.feedInjectionHint)}
>
<Toggle
checked={soapbox.feedInjection === true}
onChange={handleChange(['feedInjection'], (e) => e.target.checked)}
/>
</ListItem>
<ListItem label={intl.formatMessage(messages.displayCtaLabel)}> <ListItem label={intl.formatMessage(messages.displayCtaLabel)}>
<Toggle <Toggle
checked={soapbox.displayCta === true} checked={soapbox.displayCta === true}

View File

@ -127,7 +127,7 @@ const DetailedStatus: React.FC<IDetailedStatus> = ({
</Stack> </Stack>
</Stack> </Stack>
<HStack justifyContent='between' alignItems='center' className='py-2' wrap> <HStack justifyContent='between' alignItems='center' className='py-3' wrap>
<StatusInteractionBar status={actualStatus} /> <StatusInteractionBar status={actualStatus} />
<HStack space={1} alignItems='center'> <HStack space={1} alignItems='center'>

View File

@ -1,11 +1,11 @@
import classNames from 'clsx'; import classNames from 'clsx';
import { Map as ImmutableMap, List as ImmutableList } from 'immutable'; import { List as ImmutableList } from 'immutable';
import React from 'react'; import React from 'react';
import { FormattedNumber } from 'react-intl'; import { FormattedMessage, FormattedNumber } from 'react-intl';
import { useDispatch } from 'react-redux'; import { useDispatch } from 'react-redux';
import { openModal } from 'soapbox/actions/modals'; import { openModal } from 'soapbox/actions/modals';
import { HStack, IconButton, Text, Emoji } from 'soapbox/components/ui'; import { HStack, Text, Emoji } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig, useFeatures } from 'soapbox/hooks'; import { useAppSelector, useSoapboxConfig, useFeatures } from 'soapbox/hooks';
import { reduceEmoji } from 'soapbox/utils/emoji-reacts'; import { reduceEmoji } from 'soapbox/utils/emoji-reacts';
@ -42,11 +42,10 @@ const StatusInteractionBar: React.FC<IStatusInteractionBar> = ({ status }): JSX.
})); }));
}; };
const onOpenReactionsModal = (username: string, statusId: string, reaction: string): void => { const onOpenReactionsModal = (username: string, statusId: string): void => {
dispatch(openModal('REACTIONS', { dispatch(openModal('REACTIONS', {
username, username,
statusId, statusId,
reaction,
})); }));
}; };
@ -56,7 +55,7 @@ const StatusInteractionBar: React.FC<IStatusInteractionBar> = ({ status }): JSX.
status.favourites_count, status.favourites_count,
status.favourited, status.favourited,
allowedEmoji, allowedEmoji,
).reverse(); );
}; };
const handleOpenReblogsModal: React.EventHandler<React.MouseEvent> = (e) => { const handleOpenReblogsModal: React.EventHandler<React.MouseEvent> = (e) => {
@ -69,22 +68,17 @@ const StatusInteractionBar: React.FC<IStatusInteractionBar> = ({ status }): JSX.
const getReposts = () => { const getReposts = () => {
if (status.reblogs_count) { if (status.reblogs_count) {
return ( return (
<HStack space={0.5} alignItems='center'> <InteractionCounter count={status.reblogs_count} onClick={handleOpenReblogsModal}>
<IconButton <FormattedMessage
className='text-success-600 cursor-pointer' id='status.interactions.reblogs'
src={require('@tabler/icons/repeat.svg')} defaultMessage='{count, plural, one {Repost} other {Reposts}}'
role='presentation' values={{ count: status.reblogs_count }}
onClick={handleOpenReblogsModal}
/> />
</InteractionCounter>
<Text theme='muted' size='sm'>
<FormattedNumber value={status.reblogs_count} />
</Text>
</HStack>
); );
} }
return ''; return null;
}; };
const handleOpenFavouritesModal: React.EventHandler<React.MouseEvent<HTMLButtonElement>> = (e) => { const handleOpenFavouritesModal: React.EventHandler<React.MouseEvent<HTMLButtonElement>> = (e) => {
@ -97,31 +91,25 @@ const StatusInteractionBar: React.FC<IStatusInteractionBar> = ({ status }): JSX.
const getFavourites = () => { const getFavourites = () => {
if (status.favourites_count) { if (status.favourites_count) {
return ( return (
<HStack space={0.5} alignItems='center'> <InteractionCounter count={status.favourites_count} onClick={features.exposableReactions ? handleOpenFavouritesModal : undefined}>
<IconButton <FormattedMessage
className={classNames({ id='status.interactions.favourites'
'text-accent-300': true, defaultMessage='{count, plural, one {Like} other {Likes}}'
'cursor-default': !features.exposableReactions, values={{ count: status.favourites_count }}
})}
src={require('@tabler/icons/heart.svg')}
iconClassName='fill-accent-300'
role='presentation'
onClick={features.exposableReactions ? handleOpenFavouritesModal : undefined}
/> />
</InteractionCounter>
<Text theme='muted' size='sm'>
<FormattedNumber value={status.favourites_count} />
</Text>
</HStack>
); );
} }
return ''; return null;
}; };
const handleOpenReactionsModal = (reaction: ImmutableMap<string, any>) => () => { const handleOpenReactionsModal = () => {
if (!me) onOpenUnauthorizedModal(); if (!me) {
else onOpenReactionsModal(account.acct, status.id, String(reaction.get('name'))); return onOpenUnauthorizedModal();
}
onOpenReactionsModal(account.acct, status.id);
}; };
const getEmojiReacts = () => { const getEmojiReacts = () => {
@ -130,43 +118,67 @@ const StatusInteractionBar: React.FC<IStatusInteractionBar> = ({ status }): JSX.
acc + cur.get('count') acc + cur.get('count')
), 0); ), 0);
if (count > 0) { if (count) {
return ( return (
<HStack space={0.5} className='emoji-reacts-container' alignItems='center'> <InteractionCounter count={count} onClick={features.exposableReactions ? handleOpenReactionsModal : undefined}>
<div className='emoji-reacts'> <HStack space={0.5} alignItems='center'>
{emojiReacts.map((e, i) => { {emojiReacts.take(3).map((e, i) => {
return ( return (
<HStack space={0.5} className='emoji-react p-1' alignItems='center' key={i}> <Emoji
<Emoji key={i}
className={classNames('emoji-react__emoji w-5 h-5 flex-none', { 'cursor-pointer': features.exposableReactions })} className='w-4.5 h-4.5 flex-none'
emoji={e.get('name')} emoji={e.get('name')}
onClick={features.exposableReactions ? handleOpenReactionsModal(e) : undefined} />
/>
<Text theme='muted' size='sm' className='emoji-react__count'>
<FormattedNumber value={e.get('count')} />
</Text>
</HStack>
); );
})} })}
</div> </HStack>
</InteractionCounter>
<Text theme='muted' size='sm' className='emoji-reacts__count'>
<FormattedNumber value={count} />
</Text>
</HStack>
); );
} }
return ''; return null;
}; };
return ( return (
<HStack space={3}> <HStack space={3}>
{getReposts()} {getReposts()}
{features.emojiReacts ? getEmojiReacts() : getFavourites()} {features.emojiReacts ? getEmojiReacts() : getFavourites()}
</HStack> </HStack>
); );
}; };
interface IInteractionCounter {
count: number,
onClick?: React.MouseEventHandler<HTMLButtonElement>,
children: React.ReactNode,
}
const InteractionCounter: React.FC<IInteractionCounter> = ({ count, onClick, children }) => {
const features = useFeatures();
return (
<button
type='button'
onClick={onClick}
className={
classNames({
'text-gray-600 dark:text-gray-700': true,
'hover:underline': features.exposableReactions,
'cursor-default': !features.exposableReactions,
})
}
>
<HStack space={1} alignItems='center'>
<Text theme='primary' weight='bold'>
<FormattedNumber value={count} />
</Text>
<Text tag='div' theme='muted'>
{children}
</Text>
</HStack>
</button>
);
};
export default StatusInteractionBar; export default StatusInteractionBar;

View File

@ -2,12 +2,12 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Card, CardTitle, Text, Stack, Button } from 'soapbox/components/ui'; import { Card, CardTitle, Text, Stack, Button } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useInstance, useSoapboxConfig } from 'soapbox/hooks';
/** Prompts logged-out users to log in when viewing a thread. */ /** Prompts logged-out users to log in when viewing a thread. */
const ThreadLoginCta: React.FC = () => { const ThreadLoginCta: React.FC = () => {
const instance = useInstance();
const { displayCta } = useSoapboxConfig(); const { displayCta } = useSoapboxConfig();
const siteTitle = useAppSelector(state => state.instance.title);
if (!displayCta) return null; if (!displayCta) return null;
@ -19,7 +19,7 @@ const ThreadLoginCta: React.FC = () => {
<FormattedMessage <FormattedMessage
id='thread_login.message' id='thread_login.message'
defaultMessage='Join {siteTitle} to get the full story and details.' defaultMessage='Join {siteTitle} to get the full story and details.'
values={{ siteTitle }} values={{ siteTitle: instance.title }}
/> />
</Text> </Text>
</Stack> </Stack>

View File

@ -2,11 +2,11 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Banner, Button, HStack, Stack, Text } from 'soapbox/components/ui'; import { Banner, Button, HStack, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useAppSelector, useInstance, useSoapboxConfig } from 'soapbox/hooks';
const CtaBanner = () => { const CtaBanner = () => {
const instance = useInstance();
const { displayCta, singleUserMode } = useSoapboxConfig(); const { displayCta, singleUserMode } = useSoapboxConfig();
const siteTitle = useAppSelector((state) => state.instance.title);
const me = useAppSelector((state) => state.me); const me = useAppSelector((state) => state.me);
if (me || !displayCta || singleUserMode) return null; if (me || !displayCta || singleUserMode) return null;
@ -17,7 +17,7 @@ const CtaBanner = () => {
<HStack alignItems='center' justifyContent='between'> <HStack alignItems='center' justifyContent='between'>
<Stack> <Stack>
<Text theme='white' size='xl' weight='bold'> <Text theme='white' size='xl' weight='bold'>
<FormattedMessage id='signup_panel.title' defaultMessage='New to {site_title}?' values={{ site_title: siteTitle }} /> <FormattedMessage id='signup_panel.title' defaultMessage='New to {site_title}?' values={{ site_title: instance.title }} />
</Text> </Text>
<Text theme='white' weight='medium' className='opacity-90'> <Text theme='white' weight='medium' className='opacity-90'>

View File

@ -2,8 +2,7 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Modal } from 'soapbox/components/ui'; import { Modal } from 'soapbox/components/ui';
import { useAppSelector } from 'soapbox/hooks'; import { useFeatures } from 'soapbox/hooks';
import { getFeatures } from 'soapbox/utils/features';
interface IHotkeysModal { interface IHotkeysModal {
onClose: () => void, onClose: () => void,
@ -22,7 +21,7 @@ const TableCell: React.FC<{ children: React.ReactNode }> = ({ children }) => (
); );
const HotkeysModal: React.FC<IHotkeysModal> = ({ onClose }) => { const HotkeysModal: React.FC<IHotkeysModal> = ({ onClose }) => {
const features = useAppSelector((state) => getFeatures(state.instance)); const features = useFeatures();
return ( return (
<Modal <Modal

View File

@ -4,7 +4,7 @@ import { defineMessages, useIntl } from 'react-intl';
import SiteLogo from 'soapbox/components/site-logo'; import SiteLogo from 'soapbox/components/site-logo';
import { Text, Button, Icon, Modal } from 'soapbox/components/ui'; import { Text, Button, Icon, Modal } from 'soapbox/components/ui';
import { useAppSelector, useFeatures, useSoapboxConfig } from 'soapbox/hooks'; import { useAppSelector, useFeatures, useInstance, useSoapboxConfig } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
download: { id: 'landing_page_modal.download', defaultMessage: 'Download' }, download: { id: 'landing_page_modal.download', defaultMessage: 'Download' },
@ -25,7 +25,7 @@ const LandingPageModal: React.FC<ILandingPageModal> = ({ onClose }) => {
const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true; const pepeEnabled = soapboxConfig.getIn(['extensions', 'pepe', 'enabled']) === true;
const { links } = soapboxConfig; const { links } = soapboxConfig;
const instance = useAppSelector((state) => state.instance); const instance = useInstance();
const features = useFeatures(); const features = useFeatures();
const isOpen = features.accountCreation && instance.registrations; const isOpen = features.accountCreation && instance.registrations;

View File

@ -21,6 +21,8 @@ const messages = defineMessages({
done: { id: 'report.done', defaultMessage: 'Done' }, done: { id: 'report.done', defaultMessage: 'Done' },
next: { id: 'report.next', defaultMessage: 'Next' }, next: { id: 'report.next', defaultMessage: 'Next' },
submit: { id: 'report.submit', defaultMessage: 'Submit' }, submit: { id: 'report.submit', defaultMessage: 'Submit' },
cancel: { id: 'common.cancel', defaultMessage: 'Cancel' },
previous: { id: 'report.previous', defaultMessage: 'Previous' },
}); });
enum Steps { enum Steps {
@ -99,6 +101,52 @@ const ReportModal = ({ onClose }: IReportModal) => {
} }
}; };
const renderSelectedStatuses = useCallback(() => {
switch (selectedStatusIds.size) {
case 0:
return (
<div className='bg-gray-100 dark:bg-gray-800 p-4 rounded-lg flex items-center justify-center w-full'>
<Text theme='muted'>{intl.formatMessage(messages.blankslate)}</Text>
</div>
);
default:
return <SelectedStatus statusId={selectedStatusIds.first()} />;
}
}, [selectedStatusIds.size]);
const cancelText = useMemo(() => {
switch (currentStep) {
case Steps.ONE:
return intl.formatMessage(messages.cancel);
default:
return intl.formatMessage(messages.previous);
}
}, [currentStep]);
const cancelAction = () => {
switch (currentStep) {
case Steps.ONE:
onClose();
break;
case Steps.TWO:
setCurrentStep(Steps.ONE);
break;
default:
break;
}
};
const confirmationText = useMemo(() => {
switch (currentStep) {
case Steps.TWO:
return intl.formatMessage(messages.submit);
case Steps.THREE:
return intl.formatMessage(messages.done);
default:
return intl.formatMessage(messages.next);
}
}, [currentStep]);
const handleNextStep = () => { const handleNextStep = () => {
switch (currentStep) { switch (currentStep) {
case Steps.ONE: case Steps.ONE:
@ -116,30 +164,6 @@ const ReportModal = ({ onClose }: IReportModal) => {
} }
}; };
const renderSelectedStatuses = useCallback(() => {
switch (selectedStatusIds.size) {
case 0:
return (
<div className='bg-gray-100 dark:bg-gray-800 p-4 rounded-lg flex items-center justify-center w-full'>
<Text theme='muted'>{intl.formatMessage(messages.blankslate)}</Text>
</div>
);
default:
return <SelectedStatus statusId={selectedStatusIds.first()} />;
}
}, [selectedStatusIds.size]);
const confirmationText = useMemo(() => {
switch (currentStep) {
case Steps.TWO:
return intl.formatMessage(messages.submit);
case Steps.THREE:
return intl.formatMessage(messages.done);
default:
return intl.formatMessage(messages.next);
}
}, [currentStep]);
const isConfirmationButtonDisabled = useMemo(() => { const isConfirmationButtonDisabled = useMemo(() => {
if (currentStep === Steps.THREE) { if (currentStep === Steps.THREE) {
return false; return false;
@ -177,8 +201,8 @@ const ReportModal = ({ onClose }: IReportModal) => {
<Modal <Modal
title={<FormattedMessage id='report.target' defaultMessage='Reporting {target}' values={{ target: <strong>@{account.acct}</strong> }} />} title={<FormattedMessage id='report.target' defaultMessage='Reporting {target}' values={{ target: <strong>@{account.acct}</strong> }} />}
onClose={onClose} onClose={onClose}
cancelText={<FormattedMessage id='common.cancel' defaultMessage='Cancel' />} cancelText={cancelText}
cancelAction={currentStep === Steps.THREE ? undefined : onClose} cancelAction={currentStep === Steps.THREE ? undefined : cancelAction}
confirmationAction={handleNextStep} confirmationAction={handleNextStep}
confirmationText={confirmationText} confirmationText={confirmationText}
confirmationDisabled={isConfirmationButtonDisabled} confirmationDisabled={isConfirmationButtonDisabled}

View File

@ -5,7 +5,7 @@ import { useHistory } from 'react-router-dom';
import { remoteInteraction } from 'soapbox/actions/interactions'; import { remoteInteraction } from 'soapbox/actions/interactions';
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import { Button, Modal, Stack, Text } from 'soapbox/components/ui'; import { Button, Modal, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useAppDispatch, useFeatures, useSoapboxConfig } from 'soapbox/hooks'; import { useAppSelector, useAppDispatch, useFeatures, useSoapboxConfig, useInstance } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
close: { id: 'lightbox.close', defaultMessage: 'Close' }, close: { id: 'lightbox.close', defaultMessage: 'Close' },
@ -29,9 +29,9 @@ const UnauthorizedModal: React.FC<IUnauthorizedModal> = ({ action, onClose, acco
const intl = useIntl(); const intl = useIntl();
const history = useHistory(); const history = useHistory();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const { singleUserMode } = useSoapboxConfig(); const { singleUserMode } = useSoapboxConfig();
const siteTitle = useAppSelector(state => state.instance.title);
const username = useAppSelector(state => state.accounts.get(accountId)?.display_name); const username = useAppSelector(state => state.accounts.get(accountId)?.display_name);
const features = useFeatures(); const features = useFeatures();
@ -124,7 +124,7 @@ const UnauthorizedModal: React.FC<IUnauthorizedModal> = ({ action, onClose, acco
</div> </div>
{!singleUserMode && ( {!singleUserMode && (
<Text size='lg' weight='medium'> <Text size='lg' weight='medium'>
<FormattedMessage id='unauthorized_modal.title' defaultMessage='Sign up for {site_title}' values={{ site_title: siteTitle }} /> <FormattedMessage id='unauthorized_modal.title' defaultMessage='Sign up for {site_title}' values={{ site_title: instance.title }} />
</Text> </Text>
)} )}
</div> </div>
@ -138,7 +138,7 @@ const UnauthorizedModal: React.FC<IUnauthorizedModal> = ({ action, onClose, acco
return ( return (
<Modal <Modal
title={<FormattedMessage id='unauthorized_modal.title' defaultMessage='Sign up for {site_title}' values={{ site_title: siteTitle }} />} title={<FormattedMessage id='unauthorized_modal.title' defaultMessage='Sign up for {site_title}' values={{ site_title: instance.title }} />}
onClose={onClickClose} onClose={onClickClose}
confirmationAction={onLogin} confirmationAction={onLogin}
confirmationText={<FormattedMessage id='account.login' defaultMessage='Log in' />} confirmationText={<FormattedMessage id='account.login' defaultMessage='Log in' />}

View File

@ -7,7 +7,7 @@ import { closeModal } from 'soapbox/actions/modals';
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import { reConfirmPhoneVerification, reRequestPhoneVerification } from 'soapbox/actions/verification'; import { reConfirmPhoneVerification, reRequestPhoneVerification } from 'soapbox/actions/verification';
import { FormGroup, PhoneInput, Modal, Stack, Text } from 'soapbox/components/ui'; import { FormGroup, PhoneInput, Modal, Stack, Text } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useInstance } from 'soapbox/hooks';
import { getAccessToken } from 'soapbox/utils/auth'; import { getAccessToken } from 'soapbox/utils/auth';
const messages = defineMessages({ const messages = defineMessages({
@ -56,8 +56,8 @@ enum Statuses {
const VerifySmsModal: React.FC<IVerifySmsModal> = ({ onClose }) => { const VerifySmsModal: React.FC<IVerifySmsModal> = ({ onClose }) => {
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const intl = useIntl(); const intl = useIntl();
const instance = useInstance();
const accessToken = useAppSelector((state) => getAccessToken(state)); const accessToken = useAppSelector((state) => getAccessToken(state));
const title = useAppSelector((state) => state.instance.title);
const isLoading = useAppSelector((state) => state.verification.isLoading); const isLoading = useAppSelector((state) => state.verification.isLoading);
const [status, setStatus] = useState<Statuses>(Statuses.IDLE); const [status, setStatus] = useState<Statuses>(Statuses.IDLE);
@ -143,7 +143,7 @@ const VerifySmsModal: React.FC<IVerifySmsModal> = ({ onClose }) => {
id='sms_verification.modal.verify_help_text' id='sms_verification.modal.verify_help_text'
defaultMessage='Verify your phone number to start using {instance}.' defaultMessage='Verify your phone number to start using {instance}.'
values={{ values={{
instance: title, instance: instance.title,
}} }}
/> />
</Text> </Text>

View File

@ -2,11 +2,11 @@ import React from 'react';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
import { Button, Stack, Text } from 'soapbox/components/ui'; import { Button, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useAppSelector, useInstance, useSoapboxConfig } from 'soapbox/hooks';
const SignUpPanel = () => { const SignUpPanel = () => {
const instance = useInstance();
const { singleUserMode } = useSoapboxConfig(); const { singleUserMode } = useSoapboxConfig();
const siteTitle = useAppSelector((state) => state.instance.title);
const me = useAppSelector((state) => state.me); const me = useAppSelector((state) => state.me);
if (me || singleUserMode) return null; if (me || singleUserMode) return null;
@ -15,7 +15,7 @@ const SignUpPanel = () => {
<Stack space={2}> <Stack space={2}>
<Stack> <Stack>
<Text size='lg' weight='bold'> <Text size='lg' weight='bold'>
<FormattedMessage id='signup_panel.title' defaultMessage='New to {site_title}?' values={{ site_title: siteTitle }} /> <FormattedMessage id='signup_panel.title' defaultMessage='New to {site_title}?' values={{ site_title: instance.title }} />
</Text> </Text>
<Text theme='muted' size='sm'> <Text theme='muted' size='sm'>

View File

@ -2,20 +2,20 @@ import React from 'react';
import Icon from 'soapbox/components/icon'; import Icon from 'soapbox/components/icon';
import { Widget, Stack, Text } from 'soapbox/components/ui'; import { Widget, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useSettings, useSoapboxConfig } from 'soapbox/hooks'; import { useInstance, useSettings, useSoapboxConfig } from 'soapbox/hooks';
const PromoPanel: React.FC = () => { const PromoPanel: React.FC = () => {
const instance = useInstance();
const { promoPanel } = useSoapboxConfig(); const { promoPanel } = useSoapboxConfig();
const settings = useSettings(); const settings = useSettings();
const siteTitle = useAppSelector(state => state.instance.title);
const promoItems = promoPanel.get('items'); const promoItems = promoPanel.get('items');
const locale = settings.get('locale'); const locale = settings.get('locale');
if (!promoItems || promoItems.isEmpty()) return null; if (!promoItems || promoItems.isEmpty()) return null;
return ( return (
<Widget title={siteTitle}> <Widget title={instance.title}>
<Stack space={2}> <Stack space={2}>
{promoItems.map((item, i) => ( {promoItems.map((item, i) => (
<Text key={i}> <Text key={i}>

View File

@ -25,19 +25,16 @@ import Icon from 'soapbox/components/icon';
import SidebarNavigation from 'soapbox/components/sidebar-navigation'; import SidebarNavigation from 'soapbox/components/sidebar-navigation';
import ThumbNavigation from 'soapbox/components/thumb-navigation'; import ThumbNavigation from 'soapbox/components/thumb-navigation';
import { Layout } from 'soapbox/components/ui'; import { Layout } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector, useOwnAccount, useSoapboxConfig, useFeatures } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useOwnAccount, useSoapboxConfig, useFeatures, useInstance } from 'soapbox/hooks';
import AdminPage from 'soapbox/pages/admin-page'; import AdminPage from 'soapbox/pages/admin-page';
import DefaultPage from 'soapbox/pages/default-page'; import DefaultPage from 'soapbox/pages/default-page';
import EventPage from 'soapbox/pages/event-page'; import EventPage from 'soapbox/pages/event-page';
// import GroupsPage from 'soapbox/pages/groups_page';
// import GroupPage from 'soapbox/pages/group_page';
import HomePage from 'soapbox/pages/home-page'; import HomePage from 'soapbox/pages/home-page';
import ProfilePage from 'soapbox/pages/profile-page'; import ProfilePage from 'soapbox/pages/profile-page';
import RemoteInstancePage from 'soapbox/pages/remote-instance-page'; import RemoteInstancePage from 'soapbox/pages/remote-instance-page';
import StatusPage from 'soapbox/pages/status-page'; import StatusPage from 'soapbox/pages/status-page';
import { getAccessToken, getVapidKey } from 'soapbox/utils/auth'; import { getAccessToken, getVapidKey } from 'soapbox/utils/auth';
import { isStandalone } from 'soapbox/utils/state'; import { isStandalone } from 'soapbox/utils/state';
// import GroupSidebarPanel from '../groups/sidebar_panel';
import BackgroundShapes from './components/background-shapes'; import BackgroundShapes from './components/background-shapes';
import Navbar from './components/navbar'; import Navbar from './components/navbar';
@ -194,18 +191,6 @@ const SwitchingColumnsArea: React.FC = ({ children }) => {
<WrappedRoute path='/messages' page={DefaultPage} component={Conversations} content={children} /> <WrappedRoute path='/messages' page={DefaultPage} component={Conversations} content={children} />
)} )}
{/* Gab groups */}
{/*
<WrappedRoute path='/groups' exact page={GroupsPage} component={Groups} content={children} componentParams={{ activeTab: 'featured' }} />
<WrappedRoute path='/groups/create' page={GroupsPage} component={Groups} content={children} componentParams={{ showCreateForm: true, activeTab: 'featured' }} />
<WrappedRoute path='/groups/browse/member' page={GroupsPage} component={Groups} content={children} componentParams={{ activeTab: 'member' }} />
<WrappedRoute path='/groups/browse/admin' page={GroupsPage} component={Groups} content={children} componentParams={{ activeTab: 'admin' }} />
<WrappedRoute path='/groups/:id/members' page={GroupPage} component={GroupMembers} content={children} />
<WrappedRoute path='/groups/:id/removed_accounts' page={GroupPage} component={GroupRemovedAccounts} content={children} />
<WrappedRoute path='/groups/:id/edit' page={GroupPage} component={GroupEdit} content={children} />
<WrappedRoute path='/groups/:id' page={GroupPage} component={GroupTimeline} content={children} />
*/}
{/* Mastodon web routes */} {/* Mastodon web routes */}
<Redirect from='/web/:path1/:path2/:path3' to='/:path1/:path2/:path3' /> <Redirect from='/web/:path1/:path2/:path3' to='/:path1/:path2/:path3' />
<Redirect from='/web/:path1/:path2' to='/:path1/:path2' /> <Redirect from='/web/:path1/:path2' to='/:path1/:path2' />
@ -338,6 +323,7 @@ const UI: React.FC = ({ children }) => {
const intl = useIntl(); const intl = useIntl();
const history = useHistory(); const history = useHistory();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const [draggingOver, setDraggingOver] = useState<boolean>(false); const [draggingOver, setDraggingOver] = useState<boolean>(false);
const [mobile, setMobile] = useState<boolean>(isMobile(window.innerWidth)); const [mobile, setMobile] = useState<boolean>(isMobile(window.innerWidth));
@ -354,7 +340,7 @@ const UI: React.FC = ({ children }) => {
const dropdownMenuIsOpen = useAppSelector(state => state.dropdown_menu.openId !== null); const dropdownMenuIsOpen = useAppSelector(state => state.dropdown_menu.openId !== null);
const accessToken = useAppSelector(state => getAccessToken(state)); const accessToken = useAppSelector(state => getAccessToken(state));
const streamingUrl = useAppSelector(state => state.instance.urls.get('streaming_api')); const streamingUrl = instance.urls.get('streaming_api');
const standalone = useAppSelector(isStandalone); const standalone = useAppSelector(isStandalone);
const handleDragEnter = (e: DragEvent) => { const handleDragEnter = (e: DragEvent) => {

View File

@ -8,7 +8,7 @@ import { startOnboarding } from 'soapbox/actions/onboarding';
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import { createAccount, removeStoredVerification } from 'soapbox/actions/verification'; import { createAccount, removeStoredVerification } from 'soapbox/actions/verification';
import { Button, Form, FormGroup, Input, Text } from 'soapbox/components/ui'; import { Button, Form, FormGroup, Input, Text } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector, useSoapboxConfig } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useInstance, useSoapboxConfig } from 'soapbox/hooks';
import { getRedirectUrl } from 'soapbox/utils/redirect'; import { getRedirectUrl } from 'soapbox/utils/redirect';
import PasswordIndicator from './components/password-indicator'; import PasswordIndicator from './components/password-indicator';
@ -32,11 +32,11 @@ const initialState = {
const Registration = () => { const Registration = () => {
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const intl = useIntl(); const intl = useIntl();
const instance = useInstance();
const soapboxConfig = useSoapboxConfig(); const soapboxConfig = useSoapboxConfig();
const { links } = soapboxConfig; const { links } = soapboxConfig;
const isLoading = useAppSelector((state) => state.verification.isLoading as boolean); const isLoading = useAppSelector((state) => state.verification.isLoading as boolean);
const siteTitle = useAppSelector((state) => state.instance.title);
const [state, setState] = React.useState(initialState); const [state, setState] = React.useState(initialState);
const [shouldRedirect, setShouldRedirect] = React.useState<boolean>(false); const [shouldRedirect, setShouldRedirect] = React.useState<boolean>(false);
@ -56,7 +56,7 @@ const Registration = () => {
dispatch(startOnboarding()); dispatch(startOnboarding());
dispatch( dispatch(
snackbar.success( snackbar.success(
intl.formatMessage(messages.success, { siteTitle }), intl.formatMessage(messages.success, { siteTitle: instance.title }),
), ),
); );
}) })

View File

@ -4,7 +4,7 @@ import { defineMessages, FormattedMessage, useIntl } from 'react-intl';
import snackbar from 'soapbox/actions/snackbar'; import snackbar from 'soapbox/actions/snackbar';
import { verifyAge } from 'soapbox/actions/verification'; import { verifyAge } from 'soapbox/actions/verification';
import { Button, Datepicker, Form, Text } from 'soapbox/components/ui'; import { Button, Datepicker, Form, Text } from 'soapbox/components/ui';
import { useAppDispatch, useAppSelector } from 'soapbox/hooks'; import { useAppDispatch, useAppSelector, useInstance } from 'soapbox/hooks';
const messages = defineMessages({ const messages = defineMessages({
fail: { fail: {
@ -24,10 +24,10 @@ function meetsAgeMinimum(birthday: Date, ageMinimum: number) {
const AgeVerification = () => { const AgeVerification = () => {
const intl = useIntl(); const intl = useIntl();
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const instance = useInstance();
const isLoading = useAppSelector((state) => state.verification.isLoading) as boolean; const isLoading = useAppSelector((state) => state.verification.isLoading) as boolean;
const ageMinimum = useAppSelector((state) => state.verification.ageMinimum) as any; const ageMinimum = useAppSelector((state) => state.verification.ageMinimum) as any;
const siteTitle = useAppSelector((state) => state.instance.title);
const [date, setDate] = React.useState(''); const [date, setDate] = React.useState('');
const isValid = typeof date === 'object'; const isValid = typeof date === 'object';
@ -65,7 +65,7 @@ const AgeVerification = () => {
id='age_verification.body' id='age_verification.body'
defaultMessage='{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.' defaultMessage='{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.'
values={{ values={{
siteTitle, siteTitle: instance.title,
ageMinimum, ageMinimum,
}} }}
/> />

View File

@ -8,11 +8,11 @@ import { openModal } from 'soapbox/actions/modals';
import LandingGradient from 'soapbox/components/landing-gradient'; import LandingGradient from 'soapbox/components/landing-gradient';
import SiteLogo from 'soapbox/components/site-logo'; import SiteLogo from 'soapbox/components/site-logo';
import { Button, Stack, Text } from 'soapbox/components/ui'; import { Button, Stack, Text } from 'soapbox/components/ui';
import { useAppSelector, useOwnAccount } from 'soapbox/hooks'; import { useInstance, useOwnAccount } from 'soapbox/hooks';
const WaitlistPage = (/* { account } */) => { const WaitlistPage = () => {
const dispatch = useDispatch(); const dispatch = useDispatch();
const title = useAppSelector((state) => state.instance.title); const instance = useInstance();
const me = useOwnAccount(); const me = useOwnAccount();
const isSmsVerified = me?.source.get('sms_verified'); const isSmsVerified = me?.source.get('sms_verified');
@ -59,7 +59,7 @@ const WaitlistPage = (/* { account } */) => {
<FormattedMessage <FormattedMessage
id='waitlist.body' id='waitlist.body'
defaultMessage='Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!' defaultMessage='Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!'
values={{ title }} values={{ title: instance.title }}
/> />
</Text> </Text>

View File

@ -5,6 +5,7 @@ export { useAppSelector } from './useAppSelector';
export { useCompose } from './useCompose'; export { useCompose } from './useCompose';
export { useDimensions } from './useDimensions'; export { useDimensions } from './useDimensions';
export { useFeatures } from './useFeatures'; export { useFeatures } from './useFeatures';
export { useInstance } from './useInstance';
export { useLocale } from './useLocale'; export { useLocale } from './useLocale';
export { useOnScreen } from './useOnScreen'; export { useOnScreen } from './useOnScreen';
export { useOwnAccount } from './useOwnAccount'; export { useOwnAccount } from './useOwnAccount';

View File

@ -1,9 +1,9 @@
import { useAppSelector } from 'soapbox/hooks'; import { getFeatures, Features } from 'soapbox/utils/features';
import { getFeatures } from 'soapbox/utils/features';
import type { Features } from 'soapbox/utils/features'; import { useInstance } from './useInstance';
/** Get features for the current instance */ /** Get features for the current instance. */
export const useFeatures = (): Features => { export const useFeatures = (): Features => {
return useAppSelector((state) => getFeatures(state.instance)); const instance = useInstance();
return getFeatures(instance);
}; };

View File

@ -0,0 +1,6 @@
import { useAppSelector } from 'soapbox/hooks';
/** Get the Instance for the current backend. */
export const useInstance = () => {
return useAppSelector((state) => state.instance);
};

View File

@ -1,13 +1,21 @@
import { useCallback } from 'react';
import { useAppSelector } from 'soapbox/hooks'; import { useAppSelector } from 'soapbox/hooks';
import { makeGetAccount } from 'soapbox/selectors'; import { makeGetAccount } from 'soapbox/selectors';
import type { Account } from 'soapbox/types/entities'; import type { Account } from 'soapbox/types/entities';
// FIXME: There is no reason this selector shouldn't be global accross the whole app /** Get the logged-in account from the store, if any. */
// FIXME: getAccount() has the wrong type??
const getAccount: (state: any, accountId: any) => any = makeGetAccount();
/** Get the logged-in account from the store, if any */
export const useOwnAccount = (): Account | null => { export const useOwnAccount = (): Account | null => {
return useAppSelector((state) => getAccount(state, state.me)); const getAccount = useCallback(makeGetAccount(), []);
return useAppSelector((state) => {
const { me } = state;
if (typeof me === 'string') {
return getAccount(state, me);
} else {
return null;
}
});
}; };

View File

@ -10,18 +10,22 @@
"account.block_domain": "إخفاء كل شيئ قادم من اسم النطاق {domain}", "account.block_domain": "إخفاء كل شيئ قادم من اسم النطاق {domain}",
"account.blocked": "محظور", "account.blocked": "محظور",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "رسالة خاصة إلى @{name}", "account.direct": "رسالة خاصة إلى @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "تعديل الملف التعريفي", "account.edit_profile": "تعديل الملف التعريفي",
"account.endorse": "أوصِ به على صفحتك", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "تابِع", "account.follow": "تابِع",
"account.followers": "متابعون", "account.followers": "متابعون",
"account.followers.empty": "لا أحد يتبع هذا الحساب بعد.", "account.followers.empty": "لا أحد يتبع هذا الحساب بعد.",
"account.follows": "يتبع", "account.follows": "يتبع",
"account.follows.empty": "هذا الحساب لا يتبع أحدًا بعد.", "account.follows.empty": "هذا الحساب لا يتبع أحدًا بعد.",
"account.follows_you": "يتابعك", "account.follows_you": "يتابعك",
"account.header.alt": "Profile header",
"account.hide_reblogs": "إخفاء ترقيات @{name}", "account.hide_reblogs": "إخفاء ترقيات @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "تم التحقق مِن مِلْكية هذا الرابط بتاريخ {date}", "account.link_verified_on": "تم التحقق مِن مِلْكية هذا الرابط بتاريخ {date}",
@ -30,36 +34,56 @@
"account.media": "وسائط", "account.media": "وسائط",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "أُذكُر/ي", "account.mention": "أُذكُر/ي",
"account.moved_to": "{name} انتقل إلى:",
"account.mute": "أكتم @{name}", "account.mute": "أكتم @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "تبويقات", "account.posts": "تبويقات",
"account.posts_with_replies": "التبويقات و الردود", "account.posts_with_replies": "التبويقات و الردود",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "ابلِغ عن @{name}", "account.report": "ابلِغ عن @{name}",
"account.requested": "في انتظار الموافقة. اضْغَطْ/ي لإلغاء طلب المتابعة", "account.requested": "في انتظار الموافقة. اضْغَطْ/ي لإلغاء طلب المتابعة",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "شارك ملف تعريف @{name}", "account.share": "شارك ملف تعريف @{name}",
"account.show_reblogs": "اعرض ترقيات @{name}", "account.show_reblogs": "اعرض ترقيات @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "إلغاء الحظر عن @{name}", "account.unblock": "إلغاء الحظر عن @{name}",
"account.unblock_domain": "فك الخْفى عن {domain}", "account.unblock_domain": "فك الخْفى عن {domain}",
"account.unendorse": "أزل ترويجه مِن الملف التعريفي", "account.unendorse": "أزل ترويجه مِن الملف التعريفي",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "إلغاء المتابعة", "account.unfollow": "إلغاء المتابعة",
"account.unmute": "إلغاء الكتم عن @{name}", "account.unmute": "إلغاء الكتم عن @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "يمكنك/ي ضغط {combo} لتخطّي هذه في المرّة القادمة", "boost_modal.combo": "يمكنك/ي ضغط {combo} لتخطّي هذه في المرّة القادمة",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "لقد وقع هناك خطأ أثناء عملية تحميل هذا العنصر.", "bundle_column_error.body": "لقد وقع هناك خطأ أثناء عملية تحميل هذا العنصر.",
"bundle_column_error.retry": "إعادة المحاولة", "bundle_column_error.retry": "إعادة المحاولة",
"bundle_column_error.title": "خطأ في الشبكة", "bundle_column_error.title": "خطأ في الشبكة",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "الخيط العام المحلي", "column.community": "الخيط العام المحلي",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "الرسائل المباشرة", "column.direct": "الرسائل المباشرة",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "النطاقات المخفية", "column.domain_blocks": "النطاقات المخفية",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "طلبات المتابعة", "column.follow_requests": "طلبات المتابعة",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "الرئيسية", "column.home": "الرئيسية",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "العودة", "column_back_button.label": "العودة",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "عرض الإعدادات",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "الوسائط فقط", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "لن يَظهر هذا التبويق إلا للمستخدمين المذكورين.", "compose_form.direct_message_warning": "لن يَظهر هذا التبويق إلا للمستخدمين المذكورين.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "فيمَ تفكّر؟", "compose_form.placeholder": "فيمَ تفكّر؟",
"compose_form.poll.add_option": "إضافة خيار", "compose_form.poll.add_option": "إضافة خيار",
"compose_form.poll.duration": "مدة استطلاع الرأي", "compose_form.poll.duration": "مدة استطلاع الرأي",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "الخيار {number}", "compose_form.poll.option_placeholder": "الخيار {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "إزالة هذا الخيار", "compose_form.poll.remove_option": "إزالة هذا الخيار",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "بوّق", "compose_form.publish": "بوّق",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "تحديد الوسائط كحساسة",
"compose_form.sensitive.marked": "لقد تم تحديد هذه الصورة كحساسة",
"compose_form.sensitive.unmarked": "لم يتم تحديد الصورة كحساسة",
"compose_form.spoiler.marked": "إنّ النص مخفي وراء تحذير", "compose_form.spoiler.marked": "إنّ النص مخفي وراء تحذير",
"compose_form.spoiler.unmarked": "النص غير مخفي", "compose_form.spoiler.unmarked": "النص غير مخفي",
"compose_form.spoiler_placeholder": "تنبيه عن المحتوى", "compose_form.spoiler_placeholder": "تنبيه عن المحتوى",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "إلغاء", "confirmation_modal.cancel": "إلغاء",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "حجب", "confirmations.block.confirm": "حجب",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "هل أنت متأكد أنك تريد حجب {name} ؟", "confirmations.block.message": "هل أنت متأكد أنك تريد حجب {name} ؟",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "حذف", "confirmations.delete.confirm": "حذف",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "هل أنت متأكد أنك تريد حذف هذا المنشور ؟", "confirmations.delete.message": "هل أنت متأكد أنك تريد حذف هذا المنشور ؟",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "رد", "confirmations.reply.confirm": "رد",
"confirmations.reply.message": "الرد في الحين سوف يُعيد كتابة الرسالة التي أنت بصدد كتابتها. متأكد من أنك تريد المواصلة؟", "confirmations.reply.message": "الرد في الحين سوف يُعيد كتابة الرسالة التي أنت بصدد كتابتها. متأكد من أنك تريد المواصلة؟",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "يمكنكم إدماج هذا المنشور على موقعكم الإلكتروني عن طريق نسخ الشفرة أدناه.", "embed.instructions": "يمكنكم إدماج هذا المنشور على موقعكم الإلكتروني عن طريق نسخ الشفرة أدناه.",
"embed.preview": "هكذا ما سوف يبدو عليه:",
"emoji_button.activity": "الأنشطة", "emoji_button.activity": "الأنشطة",
"emoji_button.custom": "مخصص", "emoji_button.custom": "مخصص",
"emoji_button.flags": "الأعلام", "emoji_button.flags": "الأعلام",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "ليس عندك أي طلب للمتابعة بعد. سوف تظهر طلباتك هنا إن قمت بتلقي البعض منها.", "empty_column.follow_requests": "ليس عندك أي طلب للمتابعة بعد. سوف تظهر طلباتك هنا إن قمت بتلقي البعض منها.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "ليس هناك بعدُ أي محتوى ذو علاقة بهذا الوسم.", "empty_column.hashtag": "ليس هناك بعدُ أي محتوى ذو علاقة بهذا الوسم.",
"empty_column.home": "إنّ الخيط الزمني لصفحتك الرئيسية فارغ. قم بزيارة {public} أو استخدم حقل البحث لكي تكتشف مستخدمين آخرين.", "empty_column.home": "إنّ الخيط الزمني لصفحتك الرئيسية فارغ. قم بزيارة {public} أو استخدم حقل البحث لكي تكتشف مستخدمين آخرين.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "هذه القائمة فارغة مؤقتا و لكن سوف تمتلئ تدريجيا عندما يبدأ الأعضاء المُنتَمين إليها بنشر تبويقات.", "empty_column.list": "هذه القائمة فارغة مؤقتا و لكن سوف تمتلئ تدريجيا عندما يبدأ الأعضاء المُنتَمين إليها بنشر تبويقات.",
"empty_column.lists": "ليس عندك أية قائمة بعد. سوف تظهر قائمتك هنا إن قمت بإنشاء واحدة.", "empty_column.lists": "ليس عندك أية قائمة بعد. سوف تظهر قائمتك هنا إن قمت بإنشاء واحدة.",
"empty_column.mutes": "لم تقم بكتم أي مستخدم بعد.", "empty_column.mutes": "لم تقم بكتم أي مستخدم بعد.",
"empty_column.notifications": "لم تتلق أي إشعار بعدُ. تفاعل مع المستخدمين الآخرين لإنشاء محادثة.", "empty_column.notifications": "لم تتلق أي إشعار بعدُ. تفاعل مع المستخدمين الآخرين لإنشاء محادثة.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "لا يوجد أي شيء هنا! قم بنشر شيء ما للعامة، أو اتبع المستخدمين الآخرين المتواجدين على الخوادم الأخرى لملء خيط المحادثات", "empty_column.public": "لا يوجد أي شيء هنا! قم بنشر شيء ما للعامة، أو اتبع المستخدمين الآخرين المتواجدين على الخوادم الأخرى لملء خيط المحادثات",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "ترخيص", "follow_request.authorize": "ترخيص",
"follow_request.reject": "رفض", "follow_request.reject": "رفض",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} is open source software. You can contribute or report issues at {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "و {additional}", "hashtag.column_header.tag_mode.all": "و {additional}",
"hashtag.column_header.tag_mode.any": "أو {additional}", "hashtag.column_header.tag_mode.any": "أو {additional}",
"hashtag.column_header.tag_mode.none": "بدون {additional}", "hashtag.column_header.tag_mode.none": "بدون {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "عرض الترقيات", "home.column_settings.show_reblogs": "عرض الترقيات",
"home.column_settings.show_replies": "اعرض الردود", "home.column_settings.show_replies": "اعرض الردود",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# يوم} other {# أيام}}", "intervals.full.days": "{number, plural, one {# يوم} other {# أيام}}",
"intervals.full.hours": "{number, plural, one {# ساعة} other {# ساعات}}", "intervals.full.hours": "{number, plural, one {# ساعة} other {# ساعات}}",
"intervals.full.minutes": "{number, plural, one {# دقيقة} other {# دقائق}}", "intervals.full.minutes": "{number, plural, one {# دقيقة} other {# دقائق}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "للعودة", "keyboard_shortcuts.back": "للعودة",
"keyboard_shortcuts.blocked": "لفتح قائمة المستخدمين المحظورين", "keyboard_shortcuts.blocked": "لفتح قائمة المستخدمين المحظورين",
"keyboard_shortcuts.boost": "للترقية", "keyboard_shortcuts.boost": "للترقية",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "عرض / إخفاء", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "غير موجود", "missing_indicator.label": "غير موجود",
"missing_indicator.sublabel": "تعذر العثور على هذا المورد", "missing_indicator.sublabel": "تعذر العثور على هذا المورد",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "هل تود إخفاء الإخطارات القادمة من هذا المستخدم ؟", "mute_modal.hide_notifications": "هل تود إخفاء الإخطارات القادمة من هذا المستخدم ؟",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "الحسابات المحجوبة", "navigation_bar.blocks": "الحسابات المحجوبة",
"navigation_bar.compose": "تحرير تبويق جديد", "navigation_bar.compose": "تحرير تبويق جديد",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "النطاقات المخفية", "navigation_bar.domain_blocks": "النطاقات المخفية",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "الحسابات المكتومة", "navigation_bar.mutes": "الحسابات المكتومة",
"navigation_bar.preferences": "التفضيلات", "navigation_bar.preferences": "التفضيلات",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "الأمان",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "أُعجِب {name} بمنشورك", "notification.favourite": "أُعجِب {name} بمنشورك",
"notification.follow": "{name} يتابعك", "notification.follow": "{name} يتابعك",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} ذكرك", "notification.mention": "{name} ذكرك",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "لقد إنتها تصويت شاركت فيه", "notification.poll": "لقد إنتها تصويت شاركت فيه",
"notification.reblog": "{name} قام بترقية تبويقك", "notification.reblog": "{name} قام بترقية تبويقك",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "امسح الإخطارات", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "أمتأكد من أنك تود مسح جل الإخطارات الخاصة بك و المتلقاة إلى حد الآن ؟", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "إشعارات سطح المكتب",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "المُفَضَّلة:",
"notifications.column_settings.filter_bar.advanced": "اعرض كافة الفئات",
"notifications.column_settings.filter_bar.category": "شريط الفلترة السريعة",
"notifications.column_settings.filter_bar.show": "اعرض",
"notifications.column_settings.follow": "متابعُون جُدُد:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "الإشارات:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "نتائج استطلاع الرأي:",
"notifications.column_settings.push": "الإخطارات المدفوعة",
"notifications.column_settings.reblog": "الترقيّات:",
"notifications.column_settings.show": "اعرِضها في عمود",
"notifications.column_settings.sound": "أصدر صوتا",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "الكل", "notifications.filter.all": "الكل",
"notifications.filter.boosts": "الترقيات", "notifications.filter.boosts": "الترقيات",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "المفضلة", "notifications.filter.favourites": "المفضلة",
"notifications.filter.follows": "يتابِع", "notifications.filter.follows": "يتابِع",
"notifications.filter.mentions": "الإشارات", "notifications.filter.mentions": "الإشارات",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "نتائج استطلاع الرأي", "notifications.filter.polls": "نتائج استطلاع الرأي",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} إشعارات", "notifications.group": "{count} إشعارات",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "انتهى", "poll.closed": "انتهى",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "تحديث", "poll.refresh": "تحديث",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# صوت} other {# أصوات}}", "poll.total_votes": "{count, plural, one {# صوت} other {# أصوات}}",
"poll.vote": "صَوّت", "poll.vote": "صَوّت",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "إضافة استطلاع للرأي", "poll_button.add_poll": "إضافة استطلاع للرأي",
"poll_button.remove_poll": "إزالة استطلاع الرأي", "poll_button.remove_poll": "إزالة استطلاع الرأي",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "اضبط خصوصية المنشور", "privacy.change": "اضبط خصوصية المنشور",
"privacy.direct.long": "أنشر إلى المستخدمين المشار إليهم فقط", "privacy.direct.long": "أنشر إلى المستخدمين المشار إليهم فقط",
"privacy.direct.short": "مباشر", "privacy.direct.short": "مباشر",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "غير مدرج", "privacy.unlisted.short": "غير مدرج",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "جارٍ التحميل…", "regeneration_indicator.label": "جارٍ التحميل…",
"regeneration_indicator.sublabel": "جارٍ تجهيز تغذية صفحتك الرئيسية!", "regeneration_indicator.sublabel": "جارٍ تجهيز تغذية صفحتك الرئيسية!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}ي", "relative_time.days": "{number}ي",
"relative_time.hours": "{number}سا", "relative_time.hours": "{number}سا",
"relative_time.just_now": "الآن", "relative_time.just_now": "الآن",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "إلغاء", "reply_indicator.cancel": "إلغاء",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "التحويل إلى {target}", "report.forward": "التحويل إلى {target}",
"report.forward_hint": "هذا الحساب ينتمي إلى خادوم آخَر. هل تودّ إرسال نسخة مجهولة مِن التقرير إلى هنالك أيضًا؟", "report.forward_hint": "هذا الحساب ينتمي إلى خادوم آخَر. هل تودّ إرسال نسخة مجهولة مِن التقرير إلى هنالك أيضًا؟",
"report.hint": "سوف يتم إرسال التقرير إلى المُشرِفين على خادومكم. بإمكانكم الإدلاء بشرح عن سبب الإبلاغ عن الحساب أسفله:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "تعليقات إضافية", "report.placeholder": "تعليقات إضافية",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "إرسال", "report.submit": "إرسال",
"report.target": "ابلغ عن {target}", "report.target": "ابلغ عن {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "ابحث", "search.placeholder": "ابحث",
"search_results.accounts": "أشخاص", "search_results.accounts": "أشخاص",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "الوُسوم", "search_results.hashtags": "الوُسوم",
"search_results.statuses": "التبويقات", "search_results.statuses": "التبويقات",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "افتح الواجهة الإدارية لـ @{name}", "status.admin_account": "افتح الواجهة الإدارية لـ @{name}",
"status.admin_status": "افتح هذا المنشور على واجهة الإشراف", "status.admin_status": "افتح هذا المنشور على واجهة الإشراف",
"status.block": "احجب @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "إلغاء الترقية", "status.cancel_reblog_private": "إلغاء الترقية",
@ -976,14 +1075,16 @@
"status.delete": "احذف", "status.delete": "احذف",
"status.detailed_status": "تفاصيل المحادثة", "status.detailed_status": "تفاصيل المحادثة",
"status.direct": "رسالة خاصة إلى @{name}", "status.direct": "رسالة خاصة إلى @{name}",
"status.edit": "Edit",
"status.embed": "إدماج", "status.embed": "إدماج",
"status.external": "View post on {domain}",
"status.favourite": "أضف إلى المفضلة", "status.favourite": "أضف إلى المفضلة",
"status.filtered": "مُصفّى", "status.filtered": "مُصفّى",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "حمّل المزيد", "status.load_more": "حمّل المزيد",
"status.media_hidden": "الصورة مستترة",
"status.mention": "أذكُر @{name}", "status.mention": "أذكُر @{name}",
"status.more": "المزيد", "status.more": "المزيد",
"status.mute": "أكتم @{name}",
"status.mute_conversation": "كتم المحادثة", "status.mute_conversation": "كتم المحادثة",
"status.open": "وسع هذه المشاركة", "status.open": "وسع هذه المشاركة",
"status.pin": "دبّسه على الصفحة التعريفية", "status.pin": "دبّسه على الصفحة التعريفية",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "اقرأ المزيد", "status.read_more": "اقرأ المزيد",
"status.reblog": "رَقِّي", "status.reblog": "رَقِّي",
"status.reblog_private": "القيام بالترقية إلى الجمهور الأصلي", "status.reblog_private": "القيام بالترقية إلى الجمهور الأصلي",
@ -1009,13 +1109,15 @@
"status.replyAll": "رُد على الخيط", "status.replyAll": "رُد على الخيط",
"status.report": "ابلِغ عن @{name}", "status.report": "ابلِغ عن @{name}",
"status.sensitive_warning": "محتوى حساس", "status.sensitive_warning": "محتوى حساس",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "مشاركة", "status.share": "مشاركة",
"status.show_less": "اعرض أقلّ",
"status.show_less_all": "طي الكل", "status.show_less_all": "طي الكل",
"status.show_more": "أظهر المزيد",
"status.show_more_all": "توسيع الكل", "status.show_more_all": "توسيع الكل",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "فك الكتم عن المحادثة", "status.unmute_conversation": "فك الكتم عن المحادثة",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "إلغاء الاقتراح", "suggestions.dismiss": "إلغاء الاقتراح",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "الرئيسية", "tabs_bar.home": "الرئيسية",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "الإخطارات", "tabs_bar.notifications": "الإخطارات",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "البحث", "tabs_bar.search": "البحث",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# يوم} other {# أيام}} متبقية", "time_remaining.days": "{number, plural, one {# يوم} other {# أيام}} متبقية",
"time_remaining.hours": "{number, plural, one {# ساعة} other {# ساعات}} متبقية", "time_remaining.hours": "{number, plural, one {# ساعة} other {# ساعات}} متبقية",
"time_remaining.minutes": "{number, plural, one {# دقيقة} other {# دقائق}} متبقية", "time_remaining.minutes": "{number, plural, one {# دقيقة} other {# دقائق}} متبقية",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# ثانية} other {# ثوانٍ}} متبقية", "time_remaining.seconds": "{number, plural, one {# ثانية} other {# ثوانٍ}} متبقية",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} آخرون {people}} يتحدثون", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} آخرون {people}} يتحدثون",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "لقد تم بلوغ الحد الأقصى المسموح به لإرسال الملفات.", "upload_error.limit": "لقد تم بلوغ الحد الأقصى المسموح به لإرسال الملفات.",
"upload_error.poll": "لا يمكن إدراج ملفات في استطلاعات الرأي.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "وصف للمعاقين بصريا", "upload_form.description": "وصف للمعاقين بصريا",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "إيقاف مؤقت", "video.pause": "إيقاف مؤقت",
"video.play": "تشغيل", "video.play": "تشغيل",
"video.unmute": "تشغيل الصوت", "video.unmute": "تشغيل الصوت",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Anubrir tolo de {domain}", "account.block_domain": "Anubrir tolo de {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Unviar un mensaxe direutu a @{name}", "account.direct": "Unviar un mensaxe direutu a @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Editar el perfil", "account.edit_profile": "Editar el perfil",
"account.endorse": "Destacar nel perfil", "account.endorse": "Destacar nel perfil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Follow", "account.follow": "Follow",
"account.followers": "Siguidores", "account.followers": "Siguidores",
"account.followers.empty": "Naide sigue a esti usuariu entá.", "account.followers.empty": "Naide sigue a esti usuariu entá.",
"account.follows": "Sigue a", "account.follows": "Sigue a",
"account.follows.empty": "Esti usuariu entá nun sigue a naide.", "account.follows.empty": "Esti usuariu entá nun sigue a naide.",
"account.follows_you": "Síguete", "account.follows_you": "Síguete",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mentar", "account.mention": "Mentar",
"account.moved_to": "{name} has moved to:",
"account.mute": "Silenciar a @{name}", "account.mute": "Silenciar a @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Posts y rempuestes", "account.posts_with_replies": "Posts y rempuestes",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Report @{name}", "account.report": "Report @{name}",
"account.requested": "Awaiting approval. Click to cancel follow request", "account.requested": "Awaiting approval. Click to cancel follow request",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desbloquiar a @{name}", "account.unblock": "Desbloquiar a @{name}",
"account.unblock_domain": "Amosar {domain}", "account.unblock_domain": "Amosar {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Unfollow", "account.unfollow": "Unfollow",
"account.unmute": "Unmute @{name}", "account.unmute": "Unmute @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Pues primir {combo} pa saltar esto la próxima vegada", "boost_modal.combo": "Pues primir {combo} pa saltar esto la próxima vegada",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Llinia temporal llocal", "column.community": "Llinia temporal llocal",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Mensaxes direutos", "column.direct": "Mensaxes direutos",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Dominios anubríos", "column.domain_blocks": "Dominios anubríos",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Solicitúes de siguimientu", "column.follow_requests": "Solicitúes de siguimientu",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Aniciu", "column.home": "Aniciu",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Atrás", "column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Esti toot namái va unviase a los usuarios mentaos.", "compose_form.direct_message_warning": "Esti toot namái va unviase a los usuarios mentaos.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "¿En qué pienses?", "compose_form.placeholder": "¿En qué pienses?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "El testu nun va anubrise darrera d'una alvertencia", "compose_form.spoiler.marked": "El testu nun va anubrise darrera d'una alvertencia",
"compose_form.spoiler.unmarked": "El testu va anubrise", "compose_form.spoiler.unmarked": "El testu va anubrise",
"compose_form.spoiler_placeholder": "Escribi equí l'avertencia", "compose_form.spoiler_placeholder": "Escribi equí l'avertencia",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Encaboxar", "confirmation_modal.cancel": "Encaboxar",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "¿De xuru que quies bloquiar a {name}?", "confirmations.block.message": "¿De xuru que quies bloquiar a {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "¿De xuru que quies desaniciar esti estáu?", "confirmations.delete.message": "¿De xuru que quies desaniciar esti estáu?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Empotra esti estáu nun sitiu web copiando'l códigu d'embaxo.", "embed.instructions": "Empotra esti estáu nun sitiu web copiando'l códigu d'embaxo.",
"embed.preview": "Asina ye como va vese:",
"emoji_button.activity": "Actividaes", "emoji_button.activity": "Actividaes",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Banderes", "emoji_button.flags": "Banderes",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Entá nun tienes denguna solicitú de siguimientu. Cuando recibas una, va amosase equí.", "empty_column.follow_requests": "Entá nun tienes denguna solicitú de siguimientu. Cuando recibas una, va amosase equí.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "¡Tienes la llinia temporal balera! Visita {public} o usa la gueta pa entamar y conocer a otros usuarios.", "empty_column.home": "¡Tienes la llinia temporal balera! Visita {public} o usa la gueta pa entamar y conocer a otros usuarios.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Entá nun hai nada nesta llista. Cuando los miembros d'esta llista espublicen estaos nuevos, van apaecer equí.", "empty_column.list": "Entá nun hai nada nesta llista. Cuando los miembros d'esta llista espublicen estaos nuevos, van apaecer equí.",
"empty_column.lists": "Entá nun tienes denguna llista. Cuando crees una, va amosase equí.", "empty_column.lists": "Entá nun tienes denguna llista. Cuando crees una, va amosase equí.",
"empty_column.mutes": "Entá nun silenciesti a dengún usuariu.", "empty_column.mutes": "Entá nun silenciesti a dengún usuariu.",
"empty_column.notifications": "Entá nun tienes dengún avisu. Interactua con otros p'aniciar la conversación.", "empty_column.notifications": "Entá nun tienes dengún avisu. Interactua con otros p'aniciar la conversación.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other instances to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other instances to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autorizar", "follow_request.authorize": "Autorizar",
"follow_request.reject": "Refugar", "follow_request.reject": "Refugar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} ye software de códigu abiertu. Pues collaborar o informar de fallos en {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} ye software de códigu abiertu. Pues collaborar o informar de fallos en {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Amosar toots compartíos", "home.column_settings.show_reblogs": "Amosar toots compartíos",
"home.column_settings.show_replies": "Amosar rempuestes", "home.column_settings.show_replies": "Amosar rempuestes",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "pa dir p'atrás", "keyboard_shortcuts.back": "pa dir p'atrás",
"keyboard_shortcuts.blocked": "p'abrir la llista d'usuarios bloquiaos", "keyboard_shortcuts.blocked": "p'abrir la llista d'usuarios bloquiaos",
"keyboard_shortcuts.boost": "pa compartir un toot", "keyboard_shortcuts.boost": "pa compartir un toot",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Nun s'alcontró", "missing_indicator.label": "Nun s'alcontró",
"missing_indicator.sublabel": "Esti recursu nun pudo alcontrase", "missing_indicator.sublabel": "Esti recursu nun pudo alcontrase",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Usuarios bloquiaos", "navigation_bar.blocks": "Usuarios bloquiaos",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Dominios anubríos", "navigation_bar.domain_blocks": "Dominios anubríos",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Usuarios silenciaos", "navigation_bar.mutes": "Usuarios silenciaos",
"navigation_bar.preferences": "Preferencies", "navigation_bar.preferences": "Preferencies",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Seguranza",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favorited your post", "notification.favourite": "{name} favorited your post",
"notification.follow": "{name} siguióte", "notification.follow": "{name} siguióte",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mentóte", "notification.mention": "{name} mentóte",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} compartió'l to estáu", "notification.reblog": "{name} compartió'l to estáu",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Llimpiar avisos", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "¿De xuru que quies llimpiar dafechu tolos avisos?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Avisos d'escritoriu",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoritos:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "Siguidores nuevos:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Menciones:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Toots compartíos:",
"notifications.column_settings.show": "Amosar en columna",
"notifications.column_settings.sound": "Reproducir soníu",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} avisos", "notifications.group": "{count} avisos",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Cargando…", "regeneration_indicator.label": "Cargando…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "agora", "relative_time.just_now": "agora",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Encaboxar", "reply_indicator.cancel": "Encaboxar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Comentarios adicionales", "report.placeholder": "Comentarios adicionales",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Report {target}", "report.target": "Report {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "Xente", "search_results.accounts": "Xente",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Etiquetes", "search_results.hashtags": "Etiquetes",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Bloquiar a @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Dexar de compartir", "status.cancel_reblog_private": "Dexar de compartir",
@ -976,14 +1075,16 @@
"status.delete": "Delete", "status.delete": "Delete",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Unviar un mensaxe direutu a @{name}", "status.direct": "Unviar un mensaxe direutu a @{name}",
"status.edit": "Edit",
"status.embed": "Empotrar", "status.embed": "Empotrar",
"status.external": "View post on {domain}",
"status.favourite": "Favorite", "status.favourite": "Favorite",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Cargar más", "status.load_more": "Cargar más",
"status.media_hidden": "Mediu anubríu",
"status.mention": "Mentar a @{name}", "status.mention": "Mentar a @{name}",
"status.more": "Más", "status.more": "Más",
"status.mute": "Silenciar a @{name}",
"status.mute_conversation": "Silenciar la conversación", "status.mute_conversation": "Silenciar la conversación",
"status.open": "Espander esti estáu", "status.open": "Espander esti estáu",
"status.pin": "Fixar nel perfil", "status.pin": "Fixar nel perfil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Compartir", "status.reblog": "Compartir",
"status.reblog_private": "Compartir cola audiencia orixinal", "status.reblog_private": "Compartir cola audiencia orixinal",
@ -1009,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Conteníu sensible", "status.sensitive_warning": "Conteníu sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Amosar menos",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Amosar más",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Aniciu", "tabs_bar.home": "Aniciu",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Avisos", "tabs_bar.notifications": "Avisos",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "El borrador va perdese si coles de Soapbox.", "ui.beforeunload": "El borrador va perdese si coles de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Descripción pa discapacitaos visuales", "upload_form.description": "Descripción pa discapacitaos visuales",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Posar", "video.pause": "Posar",
"video.play": "Reproducir", "video.play": "Reproducir",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "скрий всичко от {domain}", "account.block_domain": "скрий всичко от {domain}",
"account.blocked": "Блокирани", "account.blocked": "Блокирани",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct Message @{name}", "account.direct": "Direct Message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Редактирай профила си", "account.edit_profile": "Редактирай профила си",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Последвай", "account.follow": "Последвай",
"account.followers": "Последователи", "account.followers": "Последователи",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Следвам", "account.follows": "Следвам",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Твой последовател", "account.follows_you": "Твой последовател",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Споменаване", "account.mention": "Споменаване",
"account.moved_to": "{name} has moved to:",
"account.mute": "Mute @{name}", "account.mute": "Mute @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Публикации", "account.posts": "Публикации",
"account.posts_with_replies": "Posts with replies", "account.posts_with_replies": "Posts with replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Report @{name}", "account.report": "Report @{name}",
"account.requested": "В очакване на одобрение", "account.requested": "В очакване на одобрение",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Не блокирай", "account.unblock": "Не блокирай",
"account.unblock_domain": "Unhide {domain}", "account.unblock_domain": "Unhide {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Не следвай", "account.unfollow": "Не следвай",
"account.unmute": "Unmute @{name}", "account.unmute": "Unmute @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "You can press {combo} to skip this next time", "boost_modal.combo": "You can press {combo} to skip this next time",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Опитай отново", "bundle_column_error.retry": "Опитай отново",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Local timeline", "column.community": "Local timeline",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Follow requests", "column.follow_requests": "Follow requests",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Начало", "column.home": "Начало",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Назад", "column_back_button.label": "Назад",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This post will only be visible to all the mentioned users.", "compose_form.direct_message_warning": "This post will only be visible to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Какво си мислиш?", "compose_form.placeholder": "Какво си мислиш?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Раздумай", "compose_form.publish": "Раздумай",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Content warning", "compose_form.spoiler_placeholder": "Content warning",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "Or you can visit {public} to get started and meet other users.", "empty_column.home": "Or you can visit {public} to get started and meet other users.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet.", "empty_column.list": "There is nothing in this list yet.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.", "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other instances to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other instances to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Authorize", "follow_request.authorize": "Authorize",
"follow_request.reject": "Reject", "follow_request.reject": "Reject",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} е софтуер с отворен код. Можеш да помогнеш или да докладваш за проблеми в GitLab: {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} е софтуер с отворен код. Можеш да помогнеш или да докладваш за проблеми в GitLab: {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Show reposts", "home.column_settings.show_reblogs": "Show reposts",
"home.column_settings.show_replies": "Show replies", "home.column_settings.show_replies": "Show replies",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Not found", "missing_indicator.label": "Not found",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blocked users", "navigation_bar.blocks": "Blocked users",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Muted users", "navigation_bar.mutes": "Muted users",
"navigation_bar.preferences": "Предпочитания", "navigation_bar.preferences": "Предпочитания",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} хареса твоята публикация", "notification.favourite": "{name} хареса твоята публикация",
"notification.follow": "{name} те последва", "notification.follow": "{name} те последва",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} те спомена", "notification.mention": "{name} те спомена",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} сподели твоята публикация", "notification.reblog": "{name} сподели твоята публикация",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clear notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Десктоп известия",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Предпочитани:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "Нови последователи:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Споменавания:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Споделяния:",
"notifications.column_settings.show": "Покажи в колона",
"notifications.column_settings.sound": "Play sound",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Отказ", "reply_indicator.cancel": "Отказ",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Additional comments", "report.placeholder": "Additional comments",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Reporting {target}", "report.target": "Reporting {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Търсене", "search.placeholder": "Търсене",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Изтриване", "status.delete": "Изтриване",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Предпочитани", "status.favourite": "Предпочитани",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Load more", "status.load_more": "Load more",
"status.media_hidden": "Media hidden",
"status.mention": "Споменаване", "status.mention": "Споменаване",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Expand this post", "status.open": "Expand this post",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Споделяне", "status.reblog": "Споделяне",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Деликатно съдържание", "status.sensitive_warning": "Деликатно съдържание",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Show less",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Начало", "tabs_bar.home": "Начало",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Известия", "tabs_bar.notifications": "Известия",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "{domain} থেকে সব সরিয়ে ফেলুন", "account.block_domain": "{domain} থেকে সব সরিয়ে ফেলুন",
"account.blocked": "বন্ধ করা হয়েছে", "account.blocked": "বন্ধ করা হয়েছে",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "@{name} এর কাছে সরকারি লেখা পাঠাতে", "account.direct": "@{name} এর কাছে সরকারি লেখা পাঠাতে",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "নিজের পাতা সম্পাদনা করতে", "account.edit_profile": "নিজের পাতা সম্পাদনা করতে",
"account.endorse": "আপনার নিজের পাতায় দেখাতে", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "অনুসরণ করুন", "account.follow": "অনুসরণ করুন",
"account.followers": "অনুসরণকারক", "account.followers": "অনুসরণকারক",
"account.followers.empty": "এই ব্যবহারকারীকে কেও এখনো অনুসরণ করে না।", "account.followers.empty": "এই ব্যবহারকারীকে কেও এখনো অনুসরণ করে না।",
"account.follows": "যাদেরকে অনুসরণ করেন", "account.follows": "যাদেরকে অনুসরণ করেন",
"account.follows.empty": "এই ব্যবহারকারী কাওকে এখনো অনুসরণ করেন না।", "account.follows.empty": "এই ব্যবহারকারী কাওকে এখনো অনুসরণ করেন না।",
"account.follows_you": "আপনাকে অনুসরণ করে", "account.follows_you": "আপনাকে অনুসরণ করে",
"account.header.alt": "Profile header",
"account.hide_reblogs": "@{name}র সমর্থনগুলি সরিয়ে ফেলুন", "account.hide_reblogs": "@{name}র সমর্থনগুলি সরিয়ে ফেলুন",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "এই লিংকের মালিকানা চেক করা হয়েছে {date} তারিকে", "account.link_verified_on": "এই লিংকের মালিকানা চেক করা হয়েছে {date} তারিকে",
@ -30,36 +34,56 @@
"account.media": "ছবি বা ভিডিও", "account.media": "ছবি বা ভিডিও",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "কে উল্লেখ করুন", "account.mention": "কে উল্লেখ করুন",
"account.moved_to": "{name} চলে গেছে এখানে:",
"account.mute": "@{name} সব কার্যক্রম আপনার সময়রেখা থেকে সরিয়ে ফেলতে", "account.mute": "@{name} সব কার্যক্রম আপনার সময়রেখা থেকে সরিয়ে ফেলতে",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "টুট", "account.posts": "টুট",
"account.posts_with_replies": "টুট এবং মতামত", "account.posts_with_replies": "টুট এবং মতামত",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "@{name} কে রিপোর্ট করতে", "account.report": "@{name} কে রিপোর্ট করতে",
"account.requested": "অনুমতির অপেক্ষায় আছে। অনুসরণ করার অনুরোধ বাতিল করতে এখানে ক্লিক করুন", "account.requested": "অনুমতির অপেক্ষায় আছে। অনুসরণ করার অনুরোধ বাতিল করতে এখানে ক্লিক করুন",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "@{name}র পাতা অন্যদের দেখান", "account.share": "@{name}র পাতা অন্যদের দেখান",
"account.show_reblogs": "@{name}র সমর্থনগুলো দেখুন", "account.show_reblogs": "@{name}র সমর্থনগুলো দেখুন",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "@{name}র কার্যকলাপ আবার দেখুন", "account.unblock": "@{name}র কার্যকলাপ আবার দেখুন",
"account.unblock_domain": "{domain}থেকে আবার দেখুন", "account.unblock_domain": "{domain}থেকে আবার দেখুন",
"account.unendorse": "আপনার নিজের পাতায় এটা না দেখাতে", "account.unendorse": "আপনার নিজের পাতায় এটা না দেখাতে",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "অনুসরণ না করতে", "account.unfollow": "অনুসরণ না করতে",
"account.unmute": "@{name}র কার্যকলাপ আবার দেখুন", "account.unmute": "@{name}র কার্যকলাপ আবার দেখুন",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "পরেরবার আপনি {combo} চাপ দিলে এটার শেষে চলে যেতে পারবেন", "boost_modal.combo": "পরেরবার আপনি {combo} চাপ দিলে এটার শেষে চলে যেতে পারবেন",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "এই অংশটি দেখতে যেয়ে কোনো সমস্যা হয়েছে।", "bundle_column_error.body": "এই অংশটি দেখতে যেয়ে কোনো সমস্যা হয়েছে।",
"bundle_column_error.retry": "আবার চেষ্টা করুন", "bundle_column_error.retry": "আবার চেষ্টা করুন",
"bundle_column_error.title": "নেটওয়ার্কের সমস্যা হচ্ছে", "bundle_column_error.title": "নেটওয়ার্কের সমস্যা হচ্ছে",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "স্থানীয় সময়সারি", "column.community": "স্থানীয় সময়সারি",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "সরাসরি লেখা", "column.direct": "সরাসরি লেখা",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "সরিয়ে ফেলা ওয়েবসাইট", "column.domain_blocks": "সরিয়ে ফেলা ওয়েবসাইট",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "অনুসরণের অনুমতি চেয়েছে যারা", "column.follow_requests": "অনুসরণের অনুমতি চেয়েছে যারা",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "বাড়ি", "column.home": "বাড়ি",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "পেছনে", "column_back_button.label": "পেছনে",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "সেটিং দেখান",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "শুধুমাত্র ছবি বা ভিডিও", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "শুধুমাত্র যাদেরকে উল্লেখ করা হয়েছে তাদেরকেই এই টুটটি পাঠানো হবে ।", "compose_form.direct_message_warning": "শুধুমাত্র যাদেরকে উল্লেখ করা হয়েছে তাদেরকেই এই টুটটি পাঠানো হবে ।",
@ -273,21 +296,25 @@
"compose_form.placeholder": "আপনি কি ভাবছেন ?", "compose_form.placeholder": "আপনি কি ভাবছেন ?",
"compose_form.poll.add_option": "আরেকটি বিকল্প যোগ করুন", "compose_form.poll.add_option": "আরেকটি বিকল্প যোগ করুন",
"compose_form.poll.duration": "ভোটগ্রহনের সময়", "compose_form.poll.duration": "ভোটগ্রহনের সময়",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "বিকল্প {number}", "compose_form.poll.option_placeholder": "বিকল্প {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "এই বিকল্পটি মুছে ফেলুন", "compose_form.poll.remove_option": "এই বিকল্পটি মুছে ফেলুন",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "টুট", "compose_form.publish": "টুট",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "এই ছবি বা ভিডিওটি সংবেদনশীল হিসেবে চিহ্নিত করতে",
"compose_form.sensitive.marked": "এই ছবি বা ভিডিওটি সংবেদনশীল হিসেবে চিহ্নিত করা হয়েছে",
"compose_form.sensitive.unmarked": "এই ছবি বা ভিডিওটি সংবেদনশীল হিসেবে চিহ্নিত করা হয়নি",
"compose_form.spoiler.marked": "লেখাটি সাবধানতার পেছনে লুকানো আছে", "compose_form.spoiler.marked": "লেখাটি সাবধানতার পেছনে লুকানো আছে",
"compose_form.spoiler.unmarked": "লেখাটি লুকানো নেই", "compose_form.spoiler.unmarked": "লেখাটি লুকানো নেই",
"compose_form.spoiler_placeholder": "আপনার লেখা দেখার সাবধানবাণী লিখুন", "compose_form.spoiler_placeholder": "আপনার লেখা দেখার সাবধানবাণী লিখুন",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "বাতিল করুন", "confirmation_modal.cancel": "বাতিল করুন",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "বন্ধ করুন", "confirmations.block.confirm": "বন্ধ করুন",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "আপনি কি নিশ্চিত {name} কে বন্ধ করতে চান ?", "confirmations.block.message": "আপনি কি নিশ্চিত {name} কে বন্ধ করতে চান ?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "মুছে ফেলুন", "confirmations.delete.confirm": "মুছে ফেলুন",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "আপনি কি নিশ্চিত যে এই লেখাটি মুছে ফেলতে চান ?", "confirmations.delete.message": "আপনি কি নিশ্চিত যে এই লেখাটি মুছে ফেলতে চান ?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "মতামত", "confirmations.reply.confirm": "মতামত",
"confirmations.reply.message": "এখন মতামত লিখতে গেলে আপনার এখন যেটা লিখছেন সেটা মুছে যাবে। আপনি নি নিশ্চিত এটা করতে চান ?", "confirmations.reply.message": "এখন মতামত লিখতে গেলে আপনার এখন যেটা লিখছেন সেটা মুছে যাবে। আপনি নি নিশ্চিত এটা করতে চান ?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "এই লেখাটি আপনার ওয়েবসাইটে যুক্ত করতে নিচের কোডটি বেবহার করুন।", "embed.instructions": "এই লেখাটি আপনার ওয়েবসাইটে যুক্ত করতে নিচের কোডটি বেবহার করুন।",
"embed.preview": "সেটা দেখতে এরকম হবে:",
"emoji_button.activity": "কার্যকলাপ", "emoji_button.activity": "কার্যকলাপ",
"emoji_button.custom": "প্রথা", "emoji_button.custom": "প্রথা",
"emoji_button.flags": "পতাকা", "emoji_button.flags": "পতাকা",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "আপনার এখনো কোনো অনুসরণের আবেদন পাঠানো নেই। যদি পাঠায়, এখানে পাওয়া যাবে।", "empty_column.follow_requests": "আপনার এখনো কোনো অনুসরণের আবেদন পাঠানো নেই। যদি পাঠায়, এখানে পাওয়া যাবে।",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "এই হেসটাগে এখনো কিছু নেই।", "empty_column.hashtag": "এই হেসটাগে এখনো কিছু নেই।",
"empty_column.home": "আপনার বাড়ির সময়রেখা এখনো খালি! {public}এ ঘুরে আসুন অথবা অনুসন্ধান বেবহার করে শুরু করতে পারেন এবং অন্য ব্যবহারকারীদের সাথে সাক্ষাৎ করতে পারেন।", "empty_column.home": "আপনার বাড়ির সময়রেখা এখনো খালি! {public}এ ঘুরে আসুন অথবা অনুসন্ধান বেবহার করে শুরু করতে পারেন এবং অন্য ব্যবহারকারীদের সাথে সাক্ষাৎ করতে পারেন।",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "এই তালিকাতে এখনো কিছু নেই. যখন এই তালিকায় থাকা ব্যবহারকারী নতুন কিছু লিখবে, সেগুলো এখানে পাওয়া যাবে।", "empty_column.list": "এই তালিকাতে এখনো কিছু নেই. যখন এই তালিকায় থাকা ব্যবহারকারী নতুন কিছু লিখবে, সেগুলো এখানে পাওয়া যাবে।",
"empty_column.lists": "আপনার এখনো কোনো তালিকা তৈরী নেই। যদি বা যখন তৈরী করেন, সেগুলো এখানে পাওয়া যাবে।", "empty_column.lists": "আপনার এখনো কোনো তালিকা তৈরী নেই। যদি বা যখন তৈরী করেন, সেগুলো এখানে পাওয়া যাবে।",
"empty_column.mutes": "আপনি এখনো কোনো ব্যবহারকারীকে সরাননি।", "empty_column.mutes": "আপনি এখনো কোনো ব্যবহারকারীকে সরাননি।",
"empty_column.notifications": "আপনার এখনো কোনো প্রজ্ঞাপন নেই। কথোপকথন শুরু করতে, অন্যদের সাথে মেলামেশা করতে পারেন।", "empty_column.notifications": "আপনার এখনো কোনো প্রজ্ঞাপন নেই। কথোপকথন শুরু করতে, অন্যদের সাথে মেলামেশা করতে পারেন।",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "এখানে এখনো কিছু নেই! প্রকাশ্য ভাবে কিছু লিখুন বা অন্য সার্ভার থেকে কাওকে অনুসরণ করে এই জায়গা ভরে ফেলুন", "empty_column.public": "এখানে এখনো কিছু নেই! প্রকাশ্য ভাবে কিছু লিখুন বা অন্য সার্ভার থেকে কাওকে অনুসরণ করে এই জায়গা ভরে ফেলুন",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "অনুমতি দিন", "follow_request.authorize": "অনুমতি দিন",
"follow_request.reject": "প্রত্যাখ্যান করুন", "follow_request.reject": "প্রত্যাখ্যান করুন",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} একটি মুক্ত সফটওয়্যার। তৈরিতে সাহায্য করতে বা কোনো সমস্যা সম্পর্কে জানাতে আমাদের গিটহাবে যেতে পারেন {code_link} (v{code_version})।", "getting_started.open_source_notice": "{code_name} একটি মুক্ত সফটওয়্যার। তৈরিতে সাহায্য করতে বা কোনো সমস্যা সম্পর্কে জানাতে আমাদের গিটহাবে যেতে পারেন {code_link} (v{code_version})।",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "এবং {additional}", "hashtag.column_header.tag_mode.all": "এবং {additional}",
"hashtag.column_header.tag_mode.any": "অথবা {additional}", "hashtag.column_header.tag_mode.any": "অথবা {additional}",
"hashtag.column_header.tag_mode.none": "বাদ দিয়ে {additional}", "hashtag.column_header.tag_mode.none": "বাদ দিয়ে {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "সমর্থনগুলো দেখান", "home.column_settings.show_reblogs": "সমর্থনগুলো দেখান",
"home.column_settings.show_replies": "মতামত দেখান", "home.column_settings.show_replies": "মতামত দেখান",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# ঘটা} other {# ঘটা}}", "intervals.full.hours": "{number, plural, one {# ঘটা} other {# ঘটা}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "পেছনে যেতে", "keyboard_shortcuts.back": "পেছনে যেতে",
"keyboard_shortcuts.blocked": "বন্ধ করা ব্যবহারকারীদের তালিকা দেখতে", "keyboard_shortcuts.blocked": "বন্ধ করা ব্যবহারকারীদের তালিকা দেখতে",
"keyboard_shortcuts.boost": "সমর্থন করতে", "keyboard_shortcuts.boost": "সমর্থন করতে",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "দৃশ্যতার অবস্থা বদলান", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "খুঁজে পাওয়া যায়নি", "missing_indicator.label": "খুঁজে পাওয়া যায়নি",
"missing_indicator.sublabel": "জিনিসটা খুঁজে পাওয়া যায়নি", "missing_indicator.sublabel": "জিনিসটা খুঁজে পাওয়া যায়নি",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "এই ব্যবহারকারীর প্রজ্ঞাপন বন্ধ করবেন ?", "mute_modal.hide_notifications": "এই ব্যবহারকারীর প্রজ্ঞাপন বন্ধ করবেন ?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "বন্ধ করা ব্যবহারকারী", "navigation_bar.blocks": "বন্ধ করা ব্যবহারকারী",
"navigation_bar.compose": "নতুন টুট লিখুন", "navigation_bar.compose": "নতুন টুট লিখুন",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "বন্ধ করা ওয়েবসাইট", "navigation_bar.domain_blocks": "বন্ধ করা ওয়েবসাইট",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "যেসব বেভহারকারীদের কার্যক্রম বন্ধ করা আছে", "navigation_bar.mutes": "যেসব বেভহারকারীদের কার্যক্রম বন্ধ করা আছে",
"navigation_bar.preferences": "পছন্দসমূহ", "navigation_bar.preferences": "পছন্দসমূহ",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "নিরাপত্তা",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} আপনার কার্যক্রম পছন্দ করেছেন", "notification.favourite": "{name} আপনার কার্যক্রম পছন্দ করেছেন",
"notification.follow": "{name} আপনাকে অনুসরণ করেছেন", "notification.follow": "{name} আপনাকে অনুসরণ করেছেন",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} আপনাকে উল্লেখ করেছেন", "notification.mention": "{name} আপনাকে উল্লেখ করেছেন",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "আপনি ভোট দিয়েছিলেন এমন এক নির্বাচনের ভোটের সময় শেষ হয়েছে", "notification.poll": "আপনি ভোট দিয়েছিলেন এমন এক নির্বাচনের ভোটের সময় শেষ হয়েছে",
"notification.reblog": "{name} আপনার কার্যক্রমে সমর্থন দেখিয়েছেন", "notification.reblog": "{name} আপনার কার্যক্রমে সমর্থন দেখিয়েছেন",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "প্রজ্ঞাপনগুলো মুছে ফেলতে", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "আপনি কি নির্চিত প্রজ্ঞাপনগুলো মুছে ফেলতে চান ?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "কম্পিউটারে প্রজ্ঞাপনগুলি",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "পছন্দের:",
"notifications.column_settings.filter_bar.advanced": "সব শ্রেণীগুলো দেখানো",
"notifications.column_settings.filter_bar.category": "সংক্ষিপ্ত ছাঁকনি অংশ",
"notifications.column_settings.filter_bar.show": "দেখানো",
"notifications.column_settings.follow": "নতুন অনুসরণকারীরা:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "প্রজ্ঞাপনগুলো:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "নির্বাচনের ফলাফল:",
"notifications.column_settings.push": "পুশ প্রজ্ঞাপনগুলি",
"notifications.column_settings.reblog": "সমর্থনগুলো:",
"notifications.column_settings.show": "কলামে দেখানো",
"notifications.column_settings.sound": "শব্দ বাজানো",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "সব", "notifications.filter.all": "সব",
"notifications.filter.boosts": "সমর্থনগুলো", "notifications.filter.boosts": "সমর্থনগুলো",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "পছন্দের গুলো", "notifications.filter.favourites": "পছন্দের গুলো",
"notifications.filter.follows": "অনুসরণের", "notifications.filter.follows": "অনুসরণের",
"notifications.filter.mentions": "উল্লেখিত", "notifications.filter.mentions": "উল্লেখিত",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "নির্বাচনের ফলাফল", "notifications.filter.polls": "নির্বাচনের ফলাফল",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} প্রজ্ঞাপন", "notifications.group": "{count} প্রজ্ঞাপন",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "বন্ধ", "poll.closed": "বন্ধ",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "বদলেছে কিনা দেখতে", "poll.refresh": "বদলেছে কিনা দেখতে",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# ভোট} other {# ভোট}}", "poll.total_votes": "{count, plural, one {# ভোট} other {# ভোট}}",
"poll.vote": "ভোট", "poll.vote": "ভোট",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "একটা নির্বাচন যোগ করতে", "poll_button.add_poll": "একটা নির্বাচন যোগ করতে",
"poll_button.remove_poll": "নির্বাচন বাদ দিতে", "poll_button.remove_poll": "নির্বাচন বাদ দিতে",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "লেখার গোপনীয়তা অবস্থা ঠিক করতে", "privacy.change": "লেখার গোপনীয়তা অবস্থা ঠিক করতে",
"privacy.direct.long": "শুধুমাত্র উল্লেখিত ব্যবহারকারীদের কাছে লিখতে", "privacy.direct.long": "শুধুমাত্র উল্লেখিত ব্যবহারকারীদের কাছে লিখতে",
"privacy.direct.short": "সরাসরি", "privacy.direct.short": "সরাসরি",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "প্রকাশ্য নয়", "privacy.unlisted.short": "প্রকাশ্য নয়",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "আসছে…", "regeneration_indicator.label": "আসছে…",
"regeneration_indicator.sublabel": "আপনার বাড়ির-সময়রেখা প্রস্তূত করা হচ্ছে!", "regeneration_indicator.sublabel": "আপনার বাড়ির-সময়রেখা প্রস্তূত করা হচ্ছে!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number} দিন", "relative_time.days": "{number} দিন",
"relative_time.hours": "{number} ঘন্টা", "relative_time.hours": "{number} ঘন্টা",
"relative_time.just_now": "এখন", "relative_time.just_now": "এখন",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "বাতিল করতে", "reply_indicator.cancel": "বাতিল করতে",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "এটা আরো পাঠান {target} তে", "report.forward": "এটা আরো পাঠান {target} তে",
"report.forward_hint": "এই নিবন্ধনটি অন্য একটি সার্ভারে। অপ্রকাশিতনামাভাবে রিপোর্টের কপি সেখানেও কি পাঠাতে চান ?", "report.forward_hint": "এই নিবন্ধনটি অন্য একটি সার্ভারে। অপ্রকাশিতনামাভাবে রিপোর্টের কপি সেখানেও কি পাঠাতে চান ?",
"report.hint": "রিপোর্টটি আপনার সার্ভারের পরিচালকের কাছে পাঠানো হবে। রিপোর্ট পাঠানোর কারণ নিচে বিস্তারিত লিখতে পারেন:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "অন্য কোনো মন্তব্য", "report.placeholder": "অন্য কোনো মন্তব্য",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "জমা দিন", "report.submit": "জমা দিন",
"report.target": "{target} রিপোর্ট করুন", "report.target": "{target} রিপোর্ট করুন",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "খুঁজতে", "search.placeholder": "খুঁজতে",
"search_results.accounts": "মানুষ", "search_results.accounts": "মানুষ",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "হ্যাশট্যাগগুলি", "search_results.hashtags": "হ্যাশট্যাগগুলি",
"search_results.statuses": "টুট", "search_results.statuses": "টুট",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "@{name} র জন্য পরিচালনার ইন্টারফেসে ঢুকুন", "status.admin_account": "@{name} র জন্য পরিচালনার ইন্টারফেসে ঢুকুন",
"status.admin_status": "যায় লেখাটি পরিচালনার ইন্টারফেসে খুলুন", "status.admin_status": "যায় লেখাটি পরিচালনার ইন্টারফেসে খুলুন",
"status.block": "@{name}কে বন্ধ করুন",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "সমর্থন বাতিল করতে", "status.cancel_reblog_private": "সমর্থন বাতিল করতে",
@ -976,14 +1075,16 @@
"status.delete": "মুছে ফেলতে", "status.delete": "মুছে ফেলতে",
"status.detailed_status": "বিস্তারিত কথোপকথনের হিসেবে দেখতে", "status.detailed_status": "বিস্তারিত কথোপকথনের হিসেবে দেখতে",
"status.direct": "@{name} কে সরাসরি লেখা পাঠাতে", "status.direct": "@{name} কে সরাসরি লেখা পাঠাতে",
"status.edit": "Edit",
"status.embed": "এমবেড করতে", "status.embed": "এমবেড করতে",
"status.external": "View post on {domain}",
"status.favourite": "পছন্দের করতে", "status.favourite": "পছন্দের করতে",
"status.filtered": "ছাঁকনিদিত", "status.filtered": "ছাঁকনিদিত",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "আরো দেখুন", "status.load_more": "আরো দেখুন",
"status.media_hidden": "ছবি বা ভিডিও পেছনে",
"status.mention": "@{name}কে উল্লেখ করতে", "status.mention": "@{name}কে উল্লেখ করতে",
"status.more": "আরো", "status.more": "আরো",
"status.mute": "@{name}র কার্যক্রম সরিয়ে ফেলতে",
"status.mute_conversation": "কথোপকথননের প্রজ্ঞাপন সরিয়ে ফেলতে", "status.mute_conversation": "কথোপকথননের প্রজ্ঞাপন সরিয়ে ফেলতে",
"status.open": "এটার সম্পূর্ণটা দেখতে", "status.open": "এটার সম্পূর্ণটা দেখতে",
"status.pin": "নিজের পাতায় এটা পিন করতে", "status.pin": "নিজের পাতায় এটা পিন করতে",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "আরো পড়ুন", "status.read_more": "আরো পড়ুন",
"status.reblog": "সমর্থন দিতে", "status.reblog": "সমর্থন দিতে",
"status.reblog_private": "আপনার অনুসরণকারীদের কাছে এটার সমর্থন দেখাতে", "status.reblog_private": "আপনার অনুসরণকারীদের কাছে এটার সমর্থন দেখাতে",
@ -1009,13 +1109,15 @@
"status.replyAll": "লেখাযুক্ত সবার কাছে মতামত জানাতে", "status.replyAll": "লেখাযুক্ত সবার কাছে মতামত জানাতে",
"status.report": "@{name} কে রিপোর্ট করতে", "status.report": "@{name} কে রিপোর্ট করতে",
"status.sensitive_warning": "সংবেদনশীল কিছু", "status.sensitive_warning": "সংবেদনশীল কিছু",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "অন্যদের জানান", "status.share": "অন্যদের জানান",
"status.show_less": "কম দেখতে",
"status.show_less_all": "সবগুলোতে কম দেখতে", "status.show_less_all": "সবগুলোতে কম দেখতে",
"status.show_more": "আরো দেখাতে",
"status.show_more_all": "সবগুলোতে আরো দেখতে", "status.show_more_all": "সবগুলোতে আরো দেখতে",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "আলোচনার প্রজ্ঞাপন চালু করতে", "status.unmute_conversation": "আলোচনার প্রজ্ঞাপন চালু করতে",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "সাহায্যের পরামর্শগুলো সরাতে", "suggestions.dismiss": "সাহায্যের পরামর্শগুলো সরাতে",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "বাড়ি", "tabs_bar.home": "বাড়ি",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "প্রজ্ঞাপনগুলো", "tabs_bar.notifications": "প্রজ্ঞাপনগুলো",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "খুঁজতে", "tabs_bar.search": "খুঁজতে",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} বাকি আছে", "time_remaining.days": "{number, plural, one {# day} other {# days}} বাকি আছে",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} বাকি আছে", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} বাকি আছে",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} বাকি আছে", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} বাকি আছে",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} বাকি আছে", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} বাকি আছে",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} কথা বলছে", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} কথা বলছে",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "যে পর্যন্ত এটা লেখা হয়েছে, Soapbox থেকে চলে গেলে এটা মুছে যাবে।", "ui.beforeunload": "যে পর্যন্ত এটা লেখা হয়েছে, Soapbox থেকে চলে গেলে এটা মুছে যাবে।",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "যা যুক্ত করতে চাচ্ছেন সেটি বেশি বড়, এখানকার সর্বাধিকের মেমোরির উপরে চলে গেছে।", "upload_error.limit": "যা যুক্ত করতে চাচ্ছেন সেটি বেশি বড়, এখানকার সর্বাধিকের মেমোরির উপরে চলে গেছে।",
"upload_error.poll": "নির্বাচনক্ষেত্রে কোনো ফাইল যুক্ত করা যাবেনা।", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "যারা দেখতে পায়না তাদের জন্য এটা বর্ণনা করতে", "upload_form.description": "যারা দেখতে পায়না তাদের জন্য এটা বর্ণনা করতে",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "থামাতে", "video.pause": "থামাতে",
"video.play": "শুরু করতে", "video.play": "শুরু করতে",
"video.unmute": "শব্দ চালু করতে", "video.unmute": "শব্দ চালু করতে",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Kuzh kement tra a {domain}", "account.block_domain": "Kuzh kement tra a {domain}",
"account.blocked": "Stanket", "account.blocked": "Stanket",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Kas ur c'hemennad da @{name}", "account.direct": "Kas ur c'hemennad da @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Aozañ ar profil", "account.edit_profile": "Aozañ ar profil",
"account.endorse": "Lakaat war-wel war ar profil", "account.endorse": "Lakaat war-wel war ar profil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Heuliañ", "account.follow": "Heuliañ",
"account.followers": "Heilour·ezed·ion", "account.followers": "Heilour·ezed·ion",
"account.followers.empty": "Den na heul an implijour-mañ c'hoazh.", "account.followers.empty": "Den na heul an implijour-mañ c'hoazh.",
"account.follows": "Koumanantoù", "account.follows": "Koumanantoù",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Ho heul", "account.follows_you": "Ho heul",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Kuzh toudoù skignet gant @{name}", "account.hide_reblogs": "Kuzh toudoù skignet gant @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Menegiñ", "account.mention": "Menegiñ",
"account.moved_to": "Dilojet en·he deus {name} da:",
"account.mute": "Kuzhat @{name}", "account.mute": "Kuzhat @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Toudoù", "account.posts": "Toudoù",
"account.posts_with_replies": "Toudoù ha respontoù", "account.posts_with_replies": "Toudoù ha respontoù",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Disklêriañ @{name}", "account.report": "Disklêriañ @{name}",
"account.requested": "Awaiting approval", "account.requested": "Awaiting approval",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Skignañ profil @{name}", "account.share": "Skignañ profil @{name}",
"account.show_reblogs": "Diskouez toudoù a @{name}", "account.show_reblogs": "Diskouez toudoù a @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Distankañ @{name}", "account.unblock": "Distankañ @{name}",
"account.unblock_domain": "Diguzh {domain}", "account.unblock_domain": "Diguzh {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Diheuliañ", "account.unfollow": "Diheuliañ",
"account.unmute": "Diguzhat @{name}", "account.unmute": "Diguzhat @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "You can press {combo} to skip this next time", "boost_modal.combo": "You can press {combo} to skip this next time",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Klask endro", "bundle_column_error.retry": "Klask endro",
"bundle_column_error.title": "Fazi rouedad", "bundle_column_error.title": "Fazi rouedad",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Red-amzer lec'hel", "column.community": "Red-amzer lec'hel",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Kemennadoù prevez", "column.direct": "Kemennadoù prevez",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Domani kuzhet", "column.domain_blocks": "Domani kuzhet",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Follow requests", "column.follow_requests": "Follow requests",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Home", "column.home": "Home",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Back", "column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This post will only be sent to all the mentioned users.", "compose_form.direct_message_warning": "This post will only be sent to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "What is on your mind?", "compose_form.placeholder": "What is on your mind?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Write your warning here", "compose_form.spoiler_placeholder": "Write your warning here",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "Or you can visit {public} to get started and meet other users.", "empty_column.home": "Or you can visit {public} to get started and meet other users.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.", "empty_column.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.", "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Authorize", "follow_request.authorize": "Authorize",
"follow_request.reject": "Reject", "follow_request.reject": "Reject",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} is open source software. You can contribute or report issues at {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Show reposts", "home.column_settings.show_reblogs": "Show reposts",
"home.column_settings.show_replies": "Show replies", "home.column_settings.show_replies": "Show replies",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Not found", "missing_indicator.label": "Not found",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blocked users", "navigation_bar.blocks": "Blocked users",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Muted users", "navigation_bar.mutes": "Muted users",
"navigation_bar.preferences": "Preferences", "navigation_bar.preferences": "Preferences",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favorited your post", "notification.favourite": "{name} favorited your post",
"notification.follow": "{name} followed you", "notification.follow": "{name} followed you",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mentioned you", "notification.mention": "{name} mentioned you",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} reposted your post", "notification.reblog": "{name} reposted your post",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clear notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Desktop notifications",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favorites:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "New followers:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mentions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Reposts:",
"notifications.column_settings.show": "Show in column",
"notifications.column_settings.sound": "Play sound",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancel", "reply_indicator.cancel": "Cancel",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your server moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Additional comments", "report.placeholder": "Additional comments",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Report {target}", "report.target": "Report {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Delete", "status.delete": "Delete",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Favorite", "status.favourite": "Favorite",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Load more", "status.load_more": "Load more",
"status.media_hidden": "Media hidden",
"status.mention": "Mention @{name}", "status.mention": "Mention @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Expand this post", "status.open": "Expand this post",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Sensitive content", "status.sensitive_warning": "Sensitive content",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Show less",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home", "tabs_bar.home": "Home",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifications", "tabs_bar.notifications": "Notifications",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Amaga-ho tot de {domain}", "account.block_domain": "Amaga-ho tot de {domain}",
"account.blocked": "Bloquejat", "account.blocked": "Bloquejat",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Desactivat", "account.deactivated": "Desactivat",
"account.direct": "Missatge directe a @{name}", "account.direct": "Missatge directe a @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Editar el perfil", "account.edit_profile": "Editar el perfil",
"account.endorse": "Recomanar en el teu perfil", "account.endorse": "Recomanar en el teu perfil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Segueix", "account.follow": "Segueix",
"account.followers": "Seguidors", "account.followers": "Seguidors",
"account.followers.empty": "Encara ningú no segueix aquest usuari.", "account.followers.empty": "Encara ningú no segueix aquest usuari.",
"account.follows": "Seguiments", "account.follows": "Seguiments",
"account.follows.empty": "Ningú segueix aquest usuari encara.", "account.follows.empty": "Ningú segueix aquest usuari encara.",
"account.follows_you": "Et segueix", "account.follows_you": "Et segueix",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Amaga els impulsos de @{name}", "account.hide_reblogs": "Amaga els impulsos de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "La propietat d'aquest enllaç es va verificar el dia {date}", "account.link_verified_on": "La propietat d'aquest enllaç es va verificar el dia {date}",
@ -30,36 +34,56 @@
"account.media": "Mèdia", "account.media": "Mèdia",
"account.member_since": "Membre des de {date}", "account.member_since": "Membre des de {date}",
"account.mention": "Mencionar", "account.mention": "Mencionar",
"account.moved_to": "{name} s'ha mogut a:",
"account.mute": "Silencia @{name}", "account.mute": "Silencia @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Publicacions", "account.posts": "Publicacions",
"account.posts_with_replies": "Publicacions i respostes", "account.posts_with_replies": "Publicacions i respostes",
"account.profile": "Perfil", "account.profile": "Perfil",
"account.profile_external": "View profile on {domain}",
"account.register": "Registrar-se", "account.register": "Registrar-se",
"account.remote_follow": "Seguiment remot", "account.remote_follow": "Seguiment remot",
"account.remove_from_followers": "Remove this follower",
"account.report": "Reporta @{name}", "account.report": "Reporta @{name}",
"account.requested": "Esperant aprovació. Fes clic per cancel·lar la petició de seguiment", "account.requested": "Esperant aprovació. Fes clic per cancel·lar la petició de seguiment",
"account.requested_small": "Esperant aprovació", "account.requested_small": "Esperant aprovació",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Comparteix el perfil de @{name}", "account.share": "Comparteix el perfil de @{name}",
"account.show_reblogs": "Mostra els impulsos de @{name}", "account.show_reblogs": "Mostra els impulsos de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desbloqueja @{name}", "account.unblock": "Desbloqueja @{name}",
"account.unblock_domain": "Mostra {domain}", "account.unblock_domain": "Mostra {domain}",
"account.unendorse": "No es mostren al perfil", "account.unendorse": "No es mostren al perfil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Deixa de seguir", "account.unfollow": "Deixa de seguir",
"account.unmute": "Deixar de silenciar @{name}", "account.unmute": "Deixar de silenciar @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No hi ha cap imatge per mostrar.", "account_gallery.none": "No hi ha cap imatge per mostrar.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} ha estat aprovat!", "admin.awaiting_approval.approved_message": "{acct} ha estat aprovat!",
"admin.awaiting_approval.empty_message": "Ningú espera l'aprovació. Quan un nou usuari s'inicia sessió, podeu revisar-los aquí.", "admin.awaiting_approval.empty_message": "Ningú espera l'aprovació. Quan un nou usuari s'inicia sessió, podeu revisar-los aquí.",
"admin.awaiting_approval.rejected_message": "{acct} ha estat rebutjat.", "admin.awaiting_approval.rejected_message": "{acct} ha estat rebutjat.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Desactiva @{name}", "admin.users.actions.deactivate_user": "Desactiva @{name}",
"admin.users.actions.delete_user": "Suprimeix @{name}", "admin.users.actions.delete_user": "Suprimeix @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Desverifica @{name}",
"admin.users.actions.verify_user": "Verifica @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} s'ha desactivat", "admin.users.user_deactivated_message": "@{acct} s'ha desactivat",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Esperant aprovació", "admin_nav.awaiting_approval": "Esperant aprovació",
"admin_nav.dashboard": "Tauler", "admin_nav.dashboard": "Tauler",
"admin_nav.reports": "Denuncies", "admin_nav.reports": "Denuncies",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Crea una còpia de seguretat", "backups.actions.create": "Crea una còpia de seguretat",
"backups.empty_message": "No s'han trobat còpies de seguretat. {action}", "backups.empty_message": "No s'han trobat còpies de seguretat. {action}",
"backups.empty_message.action": "Crear-ne una ara?", "backups.empty_message.action": "Crear-ne una ara?",
"backups.pending": "Pendent", "backups.pending": "Pendent",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Pots premer {combo} per saltar-te això el proper cop", "boost_modal.combo": "Pots premer {combo} per saltar-te això el proper cop",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "S'ha produït un error en carregar aquest component.", "bundle_column_error.body": "S'ha produït un error en carregar aquest component.",
"bundle_column_error.retry": "Torna-ho a provar", "bundle_column_error.retry": "Torna-ho a provar",
"bundle_column_error.title": "Error de connexió", "bundle_column_error.title": "Error de connexió",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Envia un missatge…", "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.empty": "Cap xat trobat. Per arrencar un xat, visita el perfil d'un usuari.",
"chat_panels.main_window.title": "Xats", "chat_panels.main_window.title": "Xats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Elimina missatge", "chats.actions.delete": "Elimina missatge",
"chats.actions.more": "Més", "chats.actions.more": "Més",
"chats.actions.report": "Denunciar usuari", "chats.actions.report": "Denunciar usuari",
@ -198,11 +221,13 @@
"column.community": "Línia de temps local", "column.community": "Línia de temps local",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Missatges directes", "column.direct": "Missatges directes",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Dominis ocults", "column.domain_blocks": "Dominis ocults",
"column.edit_profile": "Editar perfil", "column.edit_profile": "Editar perfil",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Peticions de seguiment", "column.follow_requests": "Peticions de seguiment",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Grups",
"column.home": "Inici", "column.home": "Inici",
"column.import_data": "Importa dades", "column.import_data": "Importa dades",
"column.info": "Informació del servidor", "column.info": "Informació del servidor",
@ -249,18 +273,17 @@
"column.remote": "Línia de temps federada", "column.remote": "Línia de temps federada",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Seguretat",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Configuració de Soapbox", "column.soapbox_config": "Configuració de Soapbox",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Enrere", "column_back_button.label": "Enrere",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mostra la configuració",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Només multimèdia", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Aquesta publicació només serà enviada als usuaris esmentats.", "compose_form.direct_message_warning": "Aquesta publicació només serà enviada als usuaris esmentats.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "En què penses?", "compose_form.placeholder": "En què penses?",
"compose_form.poll.add_option": "Afegeix una opció", "compose_form.poll.add_option": "Afegeix una opció",
"compose_form.poll.duration": "Durada de l'enquesta", "compose_form.poll.duration": "Durada de l'enquesta",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Opció {number}", "compose_form.poll.option_placeholder": "Opció {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Elimina aquesta opció", "compose_form.poll.remove_option": "Elimina aquesta opció",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publica", "compose_form.publish": "Publica",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marcar contingut visual com a sensible",
"compose_form.sensitive.marked": "Congingut visual marcat com a sensible",
"compose_form.sensitive.unmarked": "Contingut visual no marcat com a sensible",
"compose_form.spoiler.marked": "Text es ocult sota l'avís", "compose_form.spoiler.marked": "Text es ocult sota l'avís",
"compose_form.spoiler.unmarked": "Text no ocult", "compose_form.spoiler.unmarked": "Text no ocult",
"compose_form.spoiler_placeholder": "Escriu l'avís aquí", "compose_form.spoiler_placeholder": "Escriu l'avís aquí",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel·la", "confirmation_modal.cancel": "Cancel·la",
"confirmations.admin.deactivate_user.confirm": "Desactiva @{name}", "confirmations.admin.deactivate_user.confirm": "Desactiva @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloqueja", "confirmations.block.confirm": "Bloqueja",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Estàs segur que vols bloquejar a {name}?", "confirmations.block.message": "Estàs segur que vols bloquejar a {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Suprimeix", "confirmations.delete.confirm": "Suprimeix",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Estàs segur que vols suprimir aquesta publicació?", "confirmations.delete.message": "Estàs segur que vols suprimir aquesta publicació?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Comprova la teva safata d'entrada a {email} per obtenir instruccions de confirmació. Cal que verifiquis la teva adreça de correu electrònic per continuar.", "confirmations.register.needs_confirmation": "Comprova la teva safata d'entrada a {email} per obtenir instruccions de confirmació. Cal que verifiquis la teva adreça de correu electrònic per continuar.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Respon", "confirmations.reply.confirm": "Respon",
"confirmations.reply.message": "Responen ara es sobreescriurà el missatge que estàs editant. Estàs segur que vols continuar?", "confirmations.reply.message": "Responen ara es sobreescriurà el missatge que estàs editant. Estàs segur que vols continuar?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Bloqueja el compte", "edit_profile.fields.locked_label": "Bloqueja el compte",
"edit_profile.fields.meta_fields.content_placeholder": "Contingut", "edit_profile.fields.meta_fields.content_placeholder": "Contingut",
"edit_profile.fields.meta_fields.label_placeholder": "Etiqueta", "edit_profile.fields.meta_fields.label_placeholder": "Etiqueta",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF o JPG. Com a màxim 2 MB. Es reduirà a 1500x500px", "edit_profile.hints.header": "PNG, GIF o JPG. Com a màxim 2 MB. Es reduirà a 1500x500px",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Cal que aprovis els seguidors manualment", "edit_profile.hints.locked": "Cal que aprovis els seguidors manualment",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Desa", "edit_profile.save": "Desa",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Incrusta aquest toot al lloc web copiant el codi a continuació.", "embed.instructions": "Incrusta aquest toot al lloc web copiant el codi a continuació.",
"embed.preview": "Aquí tenim quin aspecte tindrá:",
"emoji_button.activity": "Activitat", "emoji_button.activity": "Activitat",
"emoji_button.custom": "Personalitzat", "emoji_button.custom": "Personalitzat",
"emoji_button.flags": "Banderes", "emoji_button.flags": "Banderes",
@ -448,20 +503,23 @@
"empty_column.filters": "No has creat cap mots silenciats encara.", "empty_column.filters": "No has creat cap mots silenciats encara.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Encara no tens cap petició de seguiment. Quan rebis una, apareixerà aquí.", "empty_column.follow_requests": "Encara no tens cap petició de seguiment. Quan rebis una, apareixerà aquí.",
"empty_column.group": "No hi ha res en aquest grup encara. Quan membres d'aquesta marca de grup pals nous, apareixeran aquí.",
"empty_column.hashtag": "Encara no hi ha res en aquesta etiqueta.", "empty_column.hashtag": "Encara no hi ha res en aquesta etiqueta.",
"empty_column.home": "Encara no segueixes ningú. Visita {public} o cerca per començar a conèixer altres usuaris.", "empty_column.home": "Encara no segueixes ningú. Visita {public} o cerca per començar a conèixer altres usuaris.",
"empty_column.home.local_tab": "la pestanya de {site_title}", "empty_column.home.local_tab": "la pestanya de {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.list": "Encara no hi ha res en aquesta llista. Quan els membres d'aquesta llista publiquin nous toots, apareixeran aquí.", "empty_column.list": "Encara no hi ha res en aquesta llista. Quan els membres d'aquesta llista publiquin nous toots, apareixeran aquí.",
"empty_column.lists": "Encara no tens cap llista. Quan en facis una, apareixerà aquí.", "empty_column.lists": "Encara no tens cap llista. Quan en facis una, apareixerà aquí.",
"empty_column.mutes": "Encara no has silenciat cap usuari.", "empty_column.mutes": "Encara no has silenciat cap usuari.",
"empty_column.notifications": "Encara no tens notificació. Interactua amb altres usuaris per iniciar una conversa.", "empty_column.notifications": "Encara no tens notificació. Interactua amb altres usuaris per iniciar una conversa.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "No hi ha res aquí! Escriu públicament alguna cosa o manualment segueix usuaris d'altres servidors per omplir-ho", "empty_column.public": "No hi ha res aquí! Escriu públicament alguna cosa o manualment segueix usuaris d'altres servidors per omplir-ho",
"empty_column.remote": "No hi ha res aquí! Segueix manualment els usuaris de {instance} per omplir-ho.", "empty_column.remote": "No hi ha res aquí! Segueix manualment els usuaris de {instance} per omplir-ho.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} forma part del Fediverse, una xarxa social formada per milers de servidors independents. Els missatges que veus aquí són de servidors de tercers. Tens la llibertat de interectuar amb ells, o de bloquejar qualsevol servidor que no vulguis veure. Per saber a quin servidor es troba una publicació fixat en el domini després del segon @ al nom d'usuari. Per veure només les publicacions de {site.title}, visita {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} forma part del Fediverse, una xarxa social formada per milers de servidors independents. Els missatges que veus aquí són de servidors de tercers. Tens la llibertat de interectuar amb ells, o de bloquejar qualsevol servidor que no vulguis veure. Per saber a quin servidor es troba una publicació fixat en el domini després del segon @ al nom d'usuari. Per veure només les publicacions de {site.title}, visita {local}.",
"fediverse_tab.explanation_box.title": "Què és el Fediverse?", "fediverse_tab.explanation_box.title": "Què és el Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filtra els contextos", "filters.context_header": "Filtra els contextos",
"filters.context_hint": "Un o diversos contextos on s'ha d'aplicar el filtre", "filters.context_hint": "Un o diversos contextos on s'ha d'aplicar el filtre",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Paraula clau o frase:", "filters.filters_list_phrase_label": "Paraula clau o frase:",
"filters.filters_list_whole-word": "Tota la paraula", "filters.filters_list_whole-word": "Tota la paraula",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autoritzar", "follow_request.authorize": "Autoritzar",
"follow_request.reject": "Rebutjar", "follow_request.reject": "Rebutjar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} és un programari de codi obert. Pots contribuir o informar de problemes a {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} és un programari de codi obert. Pots contribuir o informar de problemes a {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "Aquest grup no té membres.",
"group.removed_accounts.empty": "Aquest grup no té cap compte eliminat.",
"groups.card.join": "Uneix-te",
"groups.card.members": "Membres",
"groups.card.roles.admin": "Ets un administrador",
"groups.card.roles.member": "Ets membre",
"groups.card.view": "Veure",
"groups.create": "Crea un grup",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Carrega una imatge de bàner nova (opcional)",
"groups.form.coverImageChange": "S'ha seleccionat una imatge de bàner",
"groups.form.create": "Crea un grup",
"groups.form.description": "Descripció",
"groups.form.title": "Títol",
"groups.form.update": "Actualitza el grup",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Comptes eliminats",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Gestiona",
"groups.tab_featured": "Caracteritzat",
"groups.tab_member": "Membre",
"hashtag.column_header.tag_mode.all": "i {additional}", "hashtag.column_header.tag_mode.all": "i {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}", "hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sense {additional}", "hashtag.column_header.tag_mode.none": "sense {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Inici de sessió", "header.login.label": "Inici de sessió",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Mostra els missatges directes",
"home.column_settings.show_reblogs": "Mostrar impulsos", "home.column_settings.show_reblogs": "Mostrar impulsos",
"home.column_settings.show_replies": "Mostrar respostes", "home.column_settings.show_replies": "Mostrar respostes",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icones", "icon_button.icons": "Icones",
"icon_button.label": "Selecciona la icona", "icon_button.label": "Selecciona la icona",
"icon_button.not_found": "Sense icones!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "Sense icones!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# dia} other {# dies}}", "intervals.full.days": "{number, plural, one {# dia} other {# dies}}",
"intervals.full.hours": "{number, plural, one {# hora} other {# hores}}", "intervals.full.hours": "{number, plural, one {# hora} other {# hores}}",
"intervals.full.minutes": "{number, plural, one {# minut} other {# minuts}}", "intervals.full.minutes": "{number, plural, one {# minut} other {# minuts}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "navegar enrera", "keyboard_shortcuts.back": "navegar enrera",
"keyboard_shortcuts.blocked": "per obrir la llista d'usuaris bloquejats", "keyboard_shortcuts.blocked": "per obrir la llista d'usuaris bloquejats",
"keyboard_shortcuts.boost": "impulsar", "keyboard_shortcuts.boost": "impulsar",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Inici de sessió", "login.log_in": "Inici de sessió",
"login.otp_log_in": "Inici de sessió OTP", "login.otp_log_in": "Inici de sessió OTP",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Problema iniciant la sessió?", "login.reset_password_hint": "Problema iniciant la sessió?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Alternar visibilitat", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Introdueix la contrasenya actual per desactivar l'autenticació de doble factor:", "mfa.mfa_disable_enter_password": "Introdueix la contrasenya actual per desactivar l'autenticació de doble factor:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "No trobat", "missing_indicator.label": "No trobat",
"missing_indicator.sublabel": "Aquest recurs no es troba", "missing_indicator.sublabel": "Aquest recurs no es troba",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Amagar notificacions d'aquest usuari?", "mute_modal.hide_notifications": "Amagar notificacions d'aquest usuari?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Usuaris bloquejats", "navigation_bar.blocks": "Usuaris bloquejats",
"navigation_bar.compose": "Redacta nou toot", "navigation_bar.compose": "Redacta nou toot",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Dominis ocults", "navigation_bar.domain_blocks": "Dominis ocults",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Usuaris silenciats", "navigation_bar.mutes": "Usuaris silenciats",
"navigation_bar.preferences": "Preferències", "navigation_bar.preferences": "Preferències",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Seguretat",
"navigation_bar.soapbox_config": "Configuració de Soapbox", "navigation_bar.soapbox_config": "Configuració de Soapbox",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} t'ha enviat un missatge",
"notification.favourite": "{name} ha afavorit el teu estat", "notification.favourite": "{name} ha afavorit el teu estat",
"notification.follow": "{name} t'ha seguit", "notification.follow": "{name} t'ha seguit",
"notification.follow_request": "{name} ha sol·licitat seguir-te", "notification.follow_request": "{name} ha sol·licitat seguir-te",
"notification.mention": "{name} t'ha esmentat", "notification.mention": "{name} t'ha esmentat",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} t'ha enviat un missatge",
"notification.pleroma:emoji_reaction": "{name} ha reaccionat a la teva publicació", "notification.pleroma:emoji_reaction": "{name} ha reaccionat a la teva publicació",
"notification.poll": "Ha finalitzat una enquesta en la que has votat", "notification.poll": "Ha finalitzat una enquesta en la que has votat",
"notification.reblog": "{name} ha impulsat el teu estat", "notification.reblog": "{name} ha impulsat el teu estat",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Netejar notificacions", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Estàs segur que vols esborrar permanenment totes les teves notificacions?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notificacions d'escriptori",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Reaccions d'emoticones:",
"notifications.column_settings.favourite": "Favorits:",
"notifications.column_settings.filter_bar.advanced": "Mostra totes les categories",
"notifications.column_settings.filter_bar.category": "Barra ràpida de filtres",
"notifications.column_settings.filter_bar.show": "Mostra",
"notifications.column_settings.follow": "Nous seguidors:",
"notifications.column_settings.follow_request": "Peticions de seguiment noves:",
"notifications.column_settings.mention": "Mencions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Resultats de lenquesta:",
"notifications.column_settings.push": "Notificacions push",
"notifications.column_settings.reblog": "Impulsos:",
"notifications.column_settings.show": "Mostrar en la columna",
"notifications.column_settings.sound": "Reproduïr so",
"notifications.column_settings.sounds": "Sons",
"notifications.column_settings.sounds.all_sounds": "Reprodueix el so per a totes les notificacions",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Tots", "notifications.filter.all": "Tots",
"notifications.filter.boosts": "Impulsos", "notifications.filter.boosts": "Impulsos",
"notifications.filter.emoji_reacts": "Reaccions d'emoticones", "notifications.filter.emoji_reacts": "Reaccions d'emoticones",
"notifications.filter.favourites": "Favorits", "notifications.filter.favourites": "Favorits",
"notifications.filter.follows": "Seguiments", "notifications.filter.follows": "Seguiments",
"notifications.filter.mentions": "Mencions", "notifications.filter.mentions": "Mencions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Resultats de l'enquesta", "notifications.filter.polls": "Resultats de l'enquesta",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notificacions", "notifications.group": "{count} notificacions",
"notifications.queue_label": "Feu clic per veure {count} nou {count, plural, one {notification} altra {notifications}}", "notifications.queue_label": "Feu clic per veure {count} nou {count, plural, one {notification} altra {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No hi ha cap pin per mostrar.", "pinned_statuses.none": "No hi ha cap pin per mostrar.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Finalitzada", "poll.closed": "Finalitzada",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Actualitza", "poll.refresh": "Actualitza",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vot} other {# vots}}", "poll.total_votes": "{count, plural, one {# vot} other {# vots}}",
"poll.vote": "Votar", "poll.vote": "Votar",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Afegeix una enquesta", "poll_button.add_poll": "Afegeix una enquesta",
"poll_button.remove_poll": "Elimina l'enquesta", "poll_button.remove_poll": "Elimina l'enquesta",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Reprodueix automàticament els GIF animats", "preferences.fields.auto_play_gif_label": "Reprodueix automàticament els GIF animats",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Mostra el diàleg de confirmació abans de tornar a publicar", "preferences.fields.boost_modal_label": "Mostra el diàleg de confirmació abans de tornar a publicar",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Mostra el diàleg de confirmació abans de suprimir una publicació", "preferences.fields.delete_modal_label": "Mostra el diàleg de confirmació abans de suprimir una publicació",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Amaga les imatges marcades com a sensibles", "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.hide_all": "Oculta sempre les imatges",
"preferences.fields.display_media.show_all": "Mostra 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.expand_spoilers_label": "Expandeix sempre els missatges marcats amb avisos de contingut",
"preferences.fields.language_label": "Llengua", "preferences.fields.language_label": "Llengua",
"preferences.fields.media_display_label": "Visualització multimèdia", "preferences.fields.media_display_label": "Visualització multimèdia",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Ajusta l'estat de privacitat", "privacy.change": "Ajusta l'estat de privacitat",
"privacy.direct.long": "Publicar només per als usuaris esmentats", "privacy.direct.long": "Publicar només per als usuaris esmentats",
"privacy.direct.short": "Directe", "privacy.direct.short": "Directe",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "No llistat", "privacy.unlisted.short": "No llistat",
"profile_dropdown.add_account": "Afegeix un compte existent", "profile_dropdown.add_account": "Afegeix un compte existent",
"profile_dropdown.logout": "Tanca la sessió @{acct}", "profile_dropdown.logout": "Tanca la sessió @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Carregant…", "regeneration_indicator.label": "Carregant…",
"regeneration_indicator.sublabel": "S'està preparant la línia de temps Inici!", "regeneration_indicator.sublabel": "S'està preparant la línia de temps Inici!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "Accepto el {tos}.", "registration.agreement": "Accepto el {tos}.",
"registration.captcha.hint": "Feu clic a la imatge per obtenir un captcha nou", "registration.captcha.hint": "Feu clic a la imatge per obtenir un captcha nou",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} no accepta nous membres", "registration.closed_message": "{instance} no accepta nous membres",
"registration.closed_title": "Registres tancats", "registration.closed_title": "Registres tancats",
"registration.confirmation_modal.close": "Tanca", "registration.confirmation_modal.close": "Tanca",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "Contrasenya", "registration.fields.password_placeholder": "Contrasenya",
"registration.fields.username_hint": "Només es permeten lletres, nombres i guions baixos.", "registration.fields.username_hint": "Només es permeten lletres, nombres i guions baixos.",
"registration.fields.username_placeholder": "Nom d'usuari", "registration.fields.username_placeholder": "Nom d'usuari",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Per què vols unir-te?", "registration.reason": "Per què vols unir-te?",
"registration.reason_hint": "Això ens ajudarà a revisar la teva inscripció", "registration.reason_hint": "Això ens ajudarà a revisar la teva inscripció",
"registration.sign_up": "Registra't", "registration.sign_up": "Registra't",
"registration.tos": "Termes del servei", "registration.tos": "Termes del servei",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "fa {number} dies", "relative_time.days": "fa {number} dies",
"relative_time.hours": "fa {number} hores", "relative_time.hours": "fa {number} hores",
"relative_time.just_now": "ara", "relative_time.just_now": "ara",
@ -859,16 +922,34 @@
"reply_indicator.cancel": "Cancel·lar", "reply_indicator.cancel": "Cancel·lar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Bloquejar {target}", "report.block": "Bloquejar {target}",
"report.block_hint": "També vols bloquejar aquest compte?", "report.block_hint": "També vols bloquejar aquest compte?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Reenvia a {target}", "report.forward": "Reenvia a {target}",
"report.forward_hint": "Aquest compte és d'un altre servidor. Enviar-hi també una copia anònima de la denuncia?", "report.forward_hint": "Aquest compte és d'un altre servidor. Enviar-hi també una copia anònima de la denuncia?",
"report.hint": "La denuncia s'enviarà als moderadors del teu servidor. Pots explicar perquè vols informar d'aquest compte aquí:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Comentaris addicionals", "report.placeholder": "Comentaris addicionals",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Enviar", "report.submit": "Enviar",
"report.target": "Denuncies {target}", "report.target": "Denuncies {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -877,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Cercar", "search.placeholder": "Cercar",
"search_results.accounts": "Gent", "search_results.accounts": "Gent",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Etiquetes", "search_results.hashtags": "Etiquetes",
"search_results.statuses": "Publicacions", "search_results.statuses": "Publicacions",
"search_results.top": "Superior",
"security.codes.fail": "No s'han pogut recuperar els codis de còpia de seguretat", "security.codes.fail": "No s'han pogut recuperar els codis de còpia de seguretat",
"security.confirm.fail": "Codi o contrasenya incorrectes. Prova-ho de nou.", "security.confirm.fail": "Codi o contrasenya incorrectes. Prova-ho de nou.",
"security.delete_account.fail": "Ha fallat la supressió del compte.", "security.delete_account.fail": "Ha fallat la supressió del compte.",
"security.delete_account.success": "Compte suprimit correctament.", "security.delete_account.success": "Compte suprimit correctament.",
"security.disable.fail": "Contrasenya incorrecta. Prova-ho de nou.", "security.disable.fail": "Contrasenya incorrecta. Prova-ho de nou.",
"security.disable_mfa": "Desactivar",
"security.fields.email.label": "Adreça electrònica", "security.fields.email.label": "Adreça electrònica",
"security.fields.new_password.label": "Contrasenya nova", "security.fields.new_password.label": "Contrasenya nova",
"security.fields.old_password.label": "Contrasenya actual", "security.fields.old_password.label": "Contrasenya actual",
@ -893,33 +973,49 @@
"security.fields.password_confirmation.label": "Contrasenya nova (again)", "security.fields.password_confirmation.label": "Contrasenya nova (again)",
"security.headers.delete": "Suprimeix el compte", "security.headers.delete": "Suprimeix el compte",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Canvia el correu electrònic",
"security.headers.update_password": "Canvia la contrasenya",
"security.mfa": "Configura l'autenticació de 2 factors",
"security.mfa_enabled": "Tens configurada l'autenticació multifactorial amb OTP.",
"security.mfa_header": "Mètodes d'autorització",
"security.mfa_setup_hint": "Configura l'autenticació multifactor amb OTP",
"security.qr.fail": "No s'ha pogut recuperar la clau de configuració", "security.qr.fail": "No s'ha pogut recuperar la clau de configuració",
"security.submit": "Desa els canvis", "security.submit": "Desa els canvis",
"security.submit.delete": "Suprimeix el compte", "security.submit.delete": "Suprimeix el compte",
"security.text.delete": "Per suprimir el teu compte, introdueix la contrasenya i fes clic a Suprimeix el compte. Es tracta d'una acció permanent que no es pot desfer. El teu compte serà destruït d'aquest servidor, i s'enviarà una sol·licitud d'eliminació a altres servidors. No està garantit que tots els servidors purguin el teu compte.", "security.text.delete": "Per suprimir el teu compte, introdueix la contrasenya i fes clic a Suprimeix el compte. Es tracta d'una acció permanent que no es pot desfer. El teu compte serà destruït d'aquest servidor, i s'enviarà una sol·licitud d'eliminació a altres servidors. No està garantit que tots els servidors purguin el teu compte.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoca", "security.tokens.revoke": "Revoca",
"security.update_email.fail": "Ha fallat l'actualització del correu electrònic.", "security.update_email.fail": "Ha fallat l'actualització del correu electrònic.",
"security.update_email.success": "Correu electrònic actualitzat correctament.", "security.update_email.success": "Correu electrònic actualitzat correctament.",
"security.update_password.fail": "Ha fallat l'actualització de la contrasenya.", "security.update_password.fail": "Ha fallat l'actualització de la contrasenya.",
"security.update_password.success": "La contrasenya s'ha actualitzat correctament.", "security.update_password.success": "La contrasenya s'ha actualitzat correctament.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Inicia sessió ara per discutir.", "signup_panel.subtitle": "Inicia sessió ara per discutir.",
"signup_panel.title": "Nou a {site_title}?", "signup_panel.title": "Nou a {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -928,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Mostra el domini (eg @user@domain) per als comptes locals.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Color de la marca", "soapbox_config.fields.brand_color_label": "Color de la marca",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Afegeix un ítem de peu de pàgina inicial nou",
"soapbox_config.fields.home_footer_fields_label": "Elements de peu de pàgina d'inici", "soapbox_config.fields.home_footer_fields_label": "Elements de peu de pàgina d'inici",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Afegeix un element nou al panell de promoció",
"soapbox_config.fields.promo_panel_fields_label": "Elements del panell de promoció", "soapbox_config.fields.promo_panel_fields_label": "Elements del panell de promoció",
"soapbox_config.fields.theme_label": "Tema predeterminat", "soapbox_config.fields.theme_label": "Tema predeterminat",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "Podeu tenir enllaços definits personalitzats que es mostren al peu de pàgina de les pàgines estàtiques", "soapbox_config.hints.home_footer_fields": "Podeu tenir enllaços definits personalitzats que es mostren al peu de pàgina de les pàgines estàtiques",
"soapbox_config.hints.logo": "SVG. Com a màxim 2 MB. Es mostrarà a 50 px d'alçada, mantenint la relació d'aspecte", "soapbox_config.hints.logo": "SVG. Com a màxim 2 MB. Es mostrarà a 50 px d'alçada, mantenint la relació d'aspecte",
"soapbox_config.hints.promo_panel_fields": "Pots tenir enllaços definits personalitzats que es mostren al panell dret de la pàgina línies de temps.", "soapbox_config.hints.promo_panel_fields": "Pots tenir enllaços definits personalitzats que es mostren al panell dret de la pàgina línies de temps.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Etiqueta", "soapbox_config.home_footer.meta_fields.label_placeholder": "Etiqueta",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -961,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Permet als usuaris verificats editar el seu propi nom de visualització.", "soapbox_config.verified_can_edit_name_label": "Permet als usuaris verificats editar el seu propi nom de visualització.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Obre l'interfície de moderació per a @{name}", "status.admin_account": "Obre l'interfície de moderació per a @{name}",
"status.admin_status": "Obre aquest toot a la interfície de moderació", "status.admin_status": "Obre aquest toot a la interfície de moderació",
"status.block": "Bloqueja @{name}",
"status.bookmark": "Marcador", "status.bookmark": "Marcador",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Desfer l'impuls", "status.cancel_reblog_private": "Desfer l'impuls",
@ -974,14 +1075,16 @@
"status.delete": "Esborrar", "status.delete": "Esborrar",
"status.detailed_status": "Visualització detallada de la conversa", "status.detailed_status": "Visualització detallada de la conversa",
"status.direct": "Missatge directe @{name}", "status.direct": "Missatge directe @{name}",
"status.edit": "Edit",
"status.embed": "Incrustar", "status.embed": "Incrustar",
"status.external": "View post on {domain}",
"status.favourite": "Favorit", "status.favourite": "Favorit",
"status.filtered": "Filtrat", "status.filtered": "Filtrat",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Carrega més", "status.load_more": "Carrega més",
"status.media_hidden": "Multimèdia amagat",
"status.mention": "Esmentar @{name}", "status.mention": "Esmentar @{name}",
"status.more": "Més", "status.more": "Més",
"status.mute": "Silenciar @{name}",
"status.mute_conversation": "Silenciar conversació", "status.mute_conversation": "Silenciar conversació",
"status.open": "Ampliar aquest estat", "status.open": "Ampliar aquest estat",
"status.pin": "Fixat en el perfil", "status.pin": "Fixat en el perfil",
@ -994,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Llegir més", "status.read_more": "Llegir més",
"status.reblog": "Impuls", "status.reblog": "Impuls",
"status.reblog_private": "Impulsar a l'audiència original", "status.reblog_private": "Impulsar a l'audiència original",
@ -1007,13 +1109,15 @@
"status.replyAll": "Respondre al tema", "status.replyAll": "Respondre al tema",
"status.report": "Informar sobre @{name}", "status.report": "Informar sobre @{name}",
"status.sensitive_warning": "Contingut sensible", "status.sensitive_warning": "Contingut sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Compartir", "status.share": "Compartir",
"status.show_less": "Mostra menys",
"status.show_less_all": "Mostra menys per a tot", "status.show_less_all": "Mostra menys per a tot",
"status.show_more": "Mostra més",
"status.show_more_all": "Mostra més per a tot", "status.show_more_all": "Mostra més per a tot",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Suprimeix l'adreça d'interès", "status.unbookmark": "Suprimeix l'adreça d'interès",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Activar conversació", "status.unmute_conversation": "Activar conversació",
@ -1021,20 +1125,37 @@
"status_list.queue_label": "Fes clic per veure {count, plural, one {post} other {posts}}", "status_list.queue_label": "Fes clic per veure {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Descartar suggeriment", "suggestions.dismiss": "Descartar suggeriment",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Xats", "tabs_bar.chats": "Xats",
"tabs_bar.dashboard": "Tauler", "tabs_bar.dashboard": "Tauler",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inici", "tabs_bar.home": "Inici",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notificacions", "tabs_bar.notifications": "Notificacions",
"tabs_bar.post": "Publicació",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Cerca", "tabs_bar.search": "Cerca",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Canvia al tema fosc", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Canvia al tema clar", "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",
"time_remaining.days": "{number, plural, one {# dia} other {# dies}} restants", "time_remaining.days": "{number, plural, one {# dia} other {# dies}} restants",
"time_remaining.hours": "{number, plural, one {# hora} other {# hores}} restants", "time_remaining.hours": "{number, plural, one {# hora} other {# hores}} restants",
"time_remaining.minutes": "{number, plural, one {# minut} other {# minuts}} restants", "time_remaining.minutes": "{number, plural, one {# minut} other {# minuts}} restants",
@ -1042,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# segon} other {# segons}} restants", "time_remaining.seconds": "{number, plural, one {# segon} other {# segons}} restants",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {persones}} parlant-hi", "trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {persones}} parlant-hi",
"trends.title": "Tendències", "trends.title": "Tendències",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "El teu esborrany es perdrà si surts de Soapbox.", "ui.beforeunload": "El teu esborrany es perdrà si surts de Soapbox.",
"unauthorized_modal.text": "Heu d'iniciar sessió per fer això.", "unauthorized_modal.text": "Heu d'iniciar sessió per fer això.",
"unauthorized_modal.title": "Registrar-se a {site_title}", "unauthorized_modal.title": "Registrar-se a {site_title}",
@ -1050,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "S'ha superat el límit de càrrega d'arxius.", "upload_error.limit": "S'ha superat el límit de càrrega d'arxius.",
"upload_error.poll": "No es permet l'enviament de fitxers en les enquestes.", "upload_error.poll": "No es permet l'enviament de fitxers en les enquestes.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Descriure els problemes visuals", "upload_form.description": "Descriure els problemes visuals",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1065,5 +1188,7 @@
"video.pause": "Pausa", "video.pause": "Pausa",
"video.play": "Reproduir", "video.play": "Reproduir",
"video.unmute": "Activar so", "video.unmute": "Activar so",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Qui seguir" "who_to_follow.title": "Qui seguir"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Piattà tuttu da {domain}", "account.block_domain": "Piattà tuttu da {domain}",
"account.blocked": "Bluccatu", "account.blocked": "Bluccatu",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Missaghju direttu @{name}", "account.direct": "Missaghju direttu @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Mudificà u prufile", "account.edit_profile": "Mudificà u prufile",
"account.endorse": "Fà figurà nant'à u prufilu", "account.endorse": "Fà figurà nant'à u prufilu",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Siguità", "account.follow": "Siguità",
"account.followers": "Abbunati", "account.followers": "Abbunati",
"account.followers.empty": "Nisunu hè abbunatu à st'utilizatore.", "account.followers.empty": "Nisunu hè abbunatu à st'utilizatore.",
"account.follows": "Abbunamenti", "account.follows": "Abbunamenti",
"account.follows.empty": "St'utilizatore ùn seguita nisunu.", "account.follows.empty": "St'utilizatore ùn seguita nisunu.",
"account.follows_you": "Vi seguita", "account.follows_you": "Vi seguita",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Piattà spartere da @{name}", "account.hide_reblogs": "Piattà spartere da @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "A prupietà di stu ligame hè stata verificata u {date}", "account.link_verified_on": "A prupietà di stu ligame hè stata verificata u {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mintuvà", "account.mention": "Mintuvà",
"account.moved_to": "{name} hè partutu nant'à:",
"account.mute": "Piattà @{name}", "account.mute": "Piattà @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Statuti", "account.posts": "Statuti",
"account.posts_with_replies": "Statuti è risposte", "account.posts_with_replies": "Statuti è risposte",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Palisà @{name}", "account.report": "Palisà @{name}",
"account.requested": "In attesa d'apprubazione. Cliccate per annullà a dumanda", "account.requested": "In attesa d'apprubazione. Cliccate per annullà a dumanda",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Sparte u prufile di @{name}", "account.share": "Sparte u prufile di @{name}",
"account.show_reblogs": "Vede spartere da @{name}", "account.show_reblogs": "Vede spartere da @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Sbluccà @{name}", "account.unblock": "Sbluccà @{name}",
"account.unblock_domain": "Ùn piattà più {domain}", "account.unblock_domain": "Ùn piattà più {domain}",
"account.unendorse": "Ùn fà figurà nant'à u prufilu", "account.unendorse": "Ùn fà figurà nant'à u prufilu",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Ùn siguità più", "account.unfollow": "Ùn siguità più",
"account.unmute": "Ùn piattà più @{name}", "account.unmute": "Ùn piattà più @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Pudete appughjà nant'à {combo} per saltà quessa a prussima volta", "boost_modal.combo": "Pudete appughjà nant'à {combo} per saltà quessa a prussima volta",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "C'hè statu un prublemu caricandu st'elementu.", "bundle_column_error.body": "C'hè statu un prublemu caricandu st'elementu.",
"bundle_column_error.retry": "Pruvà torna", "bundle_column_error.retry": "Pruvà torna",
"bundle_column_error.title": "Errore di cunnessione", "bundle_column_error.title": "Errore di cunnessione",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Linea pubblica lucale", "column.community": "Linea pubblica lucale",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Missaghji diretti", "column.direct": "Missaghji diretti",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Duminii piattati", "column.domain_blocks": "Duminii piattati",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Dumande d'abbunamentu", "column.follow_requests": "Dumande d'abbunamentu",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Accolta", "column.home": "Accolta",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Ritornu", "column_back_button.label": "Ritornu",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mustrà i parametri",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Solu media", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Solu l'utilizatori mintuvati puderenu vede stu statutu.", "compose_form.direct_message_warning": "Solu l'utilizatori mintuvati puderenu vede stu statutu.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "À chè pensate?", "compose_form.placeholder": "À chè pensate?",
"compose_form.poll.add_option": "Aghjunghje scelta", "compose_form.poll.add_option": "Aghjunghje scelta",
"compose_form.poll.duration": "Durata di u scandagliu", "compose_form.poll.duration": "Durata di u scandagliu",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Scelta {number}", "compose_form.poll.option_placeholder": "Scelta {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Toglie sta scelta", "compose_form.poll.remove_option": "Toglie sta scelta",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Indicà u media cum'è sensibile",
"compose_form.sensitive.marked": "Media indicatu cum'è sensibile",
"compose_form.sensitive.unmarked": "Media micca indicatu cum'è sensibile",
"compose_form.spoiler.marked": "Testu piattatu daret'à un'avertimentu", "compose_form.spoiler.marked": "Testu piattatu daret'à un'avertimentu",
"compose_form.spoiler.unmarked": "Testu micca piattatu", "compose_form.spoiler.unmarked": "Testu micca piattatu",
"compose_form.spoiler_placeholder": "Scrive u vostr'avertimentu quì", "compose_form.spoiler_placeholder": "Scrive u vostr'avertimentu quì",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Annullà", "confirmation_modal.cancel": "Annullà",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bluccà", "confirmations.block.confirm": "Bluccà",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Site sicuru·a che vulete bluccà @{name}?", "confirmations.block.message": "Site sicuru·a che vulete bluccà @{name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Toglie", "confirmations.delete.confirm": "Toglie",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Site sicuru·a che vulete supprime stu statutu?", "confirmations.delete.message": "Site sicuru·a che vulete supprime stu statutu?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Risponde", "confirmations.reply.confirm": "Risponde",
"confirmations.reply.message": "Risponde avà sguasserà u missaghju chì scrivite. Site sicuru·a chì vulete cuntinuà?", "confirmations.reply.message": "Risponde avà sguasserà u missaghju chì scrivite. Site sicuru·a chì vulete cuntinuà?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Integrà stu statutu à u vostru situ cù u codice quì sottu.", "embed.instructions": "Integrà stu statutu à u vostru situ cù u codice quì sottu.",
"embed.preview": "Assumiglierà à qualcosa cusì:",
"emoji_button.activity": "Attività", "emoji_button.activity": "Attività",
"emoji_button.custom": "Persunalizati", "emoji_button.custom": "Persunalizati",
"emoji_button.flags": "Bandere", "emoji_button.flags": "Bandere",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Ùn avete manc'una dumanda d'abbunamentu. Quandu averete una, sarà mustrata quì.", "empty_column.follow_requests": "Ùn avete manc'una dumanda d'abbunamentu. Quandu averete una, sarà mustrata quì.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Ùn c'hè ancu nunda quì.", "empty_column.hashtag": "Ùn c'hè ancu nunda quì.",
"empty_column.home": "A vostr'accolta hè viota! Pudete andà nant'à {public} o pruvà a ricerca per truvà parsone da siguità.", "empty_column.home": "A vostr'accolta hè viota! Pudete andà nant'à {public} o pruvà a ricerca per truvà parsone da siguità.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Ùn c'hè ancu nunda quì. Quandu membri di sta lista manderanu novi statuti, i vidarete quì.", "empty_column.list": "Ùn c'hè ancu nunda quì. Quandu membri di sta lista manderanu novi statuti, i vidarete quì.",
"empty_column.lists": "Ùn avete manc'una lista. Quandu farete una, sarà mustrata quì.", "empty_column.lists": "Ùn avete manc'una lista. Quandu farete una, sarà mustrata quì.",
"empty_column.mutes": "Per avà ùn avete manc'un utilizatore piattatu.", "empty_column.mutes": "Per avà ùn avete manc'un utilizatore piattatu.",
"empty_column.notifications": "Ùn avete ancu nisuna nutificazione. Interact with others to start the conversation.", "empty_column.notifications": "Ùn avete ancu nisuna nutificazione. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Ùn c'hè nunda quì! Scrivete qualcosa in pubblicu o seguitate utilizatori d'altri servori per empie a linea pubblica", "empty_column.public": "Ùn c'hè nunda quì! Scrivete qualcosa in pubblicu o seguitate utilizatori d'altri servori per empie a linea pubblica",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Auturizà", "follow_request.authorize": "Auturizà",
"follow_request.reject": "Righjittà", "follow_request.reject": "Righjittà",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} ghjè un lugiziale liberu. Pudete cuntribuisce à u codice o a traduzione, o palisà un bug, nant'à GitLab: {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} ghjè un lugiziale liberu. Pudete cuntribuisce à u codice o a traduzione, o palisà un bug, nant'à GitLab: {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "è {additional}", "hashtag.column_header.tag_mode.all": "è {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}", "hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "senza {additional}", "hashtag.column_header.tag_mode.none": "senza {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Vede e spartere", "home.column_settings.show_reblogs": "Vede e spartere",
"home.column_settings.show_replies": "Vede e risposte", "home.column_settings.show_replies": "Vede e risposte",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# ghjornu} other {# ghjorni}}", "intervals.full.days": "{number, plural, one {# ghjornu} other {# ghjorni}}",
"intervals.full.hours": "{number, plural, one {# ora} other {# ore}}", "intervals.full.hours": "{number, plural, one {# ora} other {# ore}}",
"intervals.full.minutes": "{number, plural, one {# minuta} other {# minute}}", "intervals.full.minutes": "{number, plural, one {# minuta} other {# minute}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "rivultà", "keyboard_shortcuts.back": "rivultà",
"keyboard_shortcuts.blocked": "per apre una lista d'utilizatori bluccati", "keyboard_shortcuts.blocked": "per apre una lista d'utilizatori bluccati",
"keyboard_shortcuts.boost": "sparte", "keyboard_shortcuts.boost": "sparte",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Cambià a visibilità", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Micca trovu", "missing_indicator.label": "Micca trovu",
"missing_indicator.sublabel": "Ùn era micca pussivule di truvà sta risorsa", "missing_indicator.sublabel": "Ùn era micca pussivule di truvà sta risorsa",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Piattà nutificazione da st'utilizatore?", "mute_modal.hide_notifications": "Piattà nutificazione da st'utilizatore?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Utilizatori bluccati", "navigation_bar.blocks": "Utilizatori bluccati",
"navigation_bar.compose": "Scrive un novu statutu", "navigation_bar.compose": "Scrive un novu statutu",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Duminii piattati", "navigation_bar.domain_blocks": "Duminii piattati",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Utilizatori piattati", "navigation_bar.mutes": "Utilizatori piattati",
"navigation_bar.preferences": "Preferenze", "navigation_bar.preferences": "Preferenze",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Sicurità",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} hà aghjuntu u vostru statutu à i so favuriti", "notification.favourite": "{name} hà aghjuntu u vostru statutu à i so favuriti",
"notification.follow": "{name} v'hà seguitatu", "notification.follow": "{name} v'hà seguitatu",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} v'hà mintuvatu", "notification.mention": "{name} v'hà mintuvatu",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Un scandagliu induve avete vutatu hè finitu", "notification.poll": "Un scandagliu induve avete vutatu hè finitu",
"notification.reblog": "{name} hà spartutu u vostru statutu", "notification.reblog": "{name} hà spartutu u vostru statutu",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Purgà e nutificazione", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Site sicuru·a che vulete toglie tutte ste nutificazione?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Nutificazione nant'à l'urdinatore",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favuriti:",
"notifications.column_settings.filter_bar.advanced": "Affissà tutte e categurie",
"notifications.column_settings.filter_bar.category": "Barra di ricerca pronta",
"notifications.column_settings.filter_bar.show": "Mustrà",
"notifications.column_settings.follow": "Abbunati novi:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Minzione:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Risultati:",
"notifications.column_settings.push": "Nutificazione Push",
"notifications.column_settings.reblog": "Spartere:",
"notifications.column_settings.show": "Mustrà indè a colonna",
"notifications.column_settings.sound": "Sunà",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Tuttu", "notifications.filter.all": "Tuttu",
"notifications.filter.boosts": "Spartere", "notifications.filter.boosts": "Spartere",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favuriti", "notifications.filter.favourites": "Favuriti",
"notifications.filter.follows": "Abbunamenti", "notifications.filter.follows": "Abbunamenti",
"notifications.filter.mentions": "Minzione", "notifications.filter.mentions": "Minzione",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Risultati di u scandagliu", "notifications.filter.polls": "Risultati di u scandagliu",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} nutificazione", "notifications.group": "{count} nutificazione",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Chjosu", "poll.closed": "Chjosu",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Attualizà", "poll.refresh": "Attualizà",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# votu} other {# voti}}", "poll.total_votes": "{count, plural, one {# votu} other {# voti}}",
"poll.vote": "Vutà", "poll.vote": "Vutà",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Aghjunghje", "poll_button.add_poll": "Aghjunghje",
"poll_button.remove_poll": "Toglie u scandagliu", "poll_button.remove_poll": "Toglie u scandagliu",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Mudificà a cunfidenzialità di u statutu", "privacy.change": "Mudificà a cunfidenzialità di u statutu",
"privacy.direct.long": "Mandà solu à quelli chì so mintuvati", "privacy.direct.long": "Mandà solu à quelli chì so mintuvati",
"privacy.direct.short": "Direttu", "privacy.direct.short": "Direttu",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Micca listatu", "privacy.unlisted.short": "Micca listatu",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Caricamentu…", "regeneration_indicator.label": "Caricamentu…",
"regeneration_indicator.sublabel": "Priparazione di a vostra pagina d'accolta!", "regeneration_indicator.sublabel": "Priparazione di a vostra pagina d'accolta!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}ghj", "relative_time.days": "{number}ghj",
"relative_time.hours": "{number}o", "relative_time.hours": "{number}o",
"relative_time.just_now": "avà", "relative_time.just_now": "avà",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Annullà", "reply_indicator.cancel": "Annullà",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Trasferisce à {target}", "report.forward": "Trasferisce à {target}",
"report.forward_hint": "U contu hè nant'à un'altru servore. Vulete ancu mandà una copia anonima di u signalamentu quallà?", "report.forward_hint": "U contu hè nant'à un'altru servore. Vulete ancu mandà una copia anonima di u signalamentu quallà?",
"report.hint": "U signalamentu sarà mandatu à i muderatori di u servore. Pudete spiegà perchè avete palisatu stu contu quì sottu:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Altri cummenti", "report.placeholder": "Altri cummenti",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Mandà", "report.submit": "Mandà",
"report.target": "Signalamentu", "report.target": "Signalamentu",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Circà", "search.placeholder": "Circà",
"search_results.accounts": "Ghjente", "search_results.accounts": "Ghjente",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtag", "search_results.hashtags": "Hashtag",
"search_results.statuses": "Statuti", "search_results.statuses": "Statuti",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Apre l'interfaccia di muderazione per @{name}", "status.admin_account": "Apre l'interfaccia di muderazione per @{name}",
"status.admin_status": "Apre stu statutu in l'interfaccia di muderazione", "status.admin_status": "Apre stu statutu in l'interfaccia di muderazione",
"status.block": "Bluccà @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Ùn sparte più", "status.cancel_reblog_private": "Ùn sparte più",
@ -976,14 +1075,16 @@
"status.delete": "Toglie", "status.delete": "Toglie",
"status.detailed_status": "Vista in ditagliu di a cunversazione", "status.detailed_status": "Vista in ditagliu di a cunversazione",
"status.direct": "Mandà un missaghju @{name}", "status.direct": "Mandà un missaghju @{name}",
"status.edit": "Edit",
"status.embed": "Integrà", "status.embed": "Integrà",
"status.external": "View post on {domain}",
"status.favourite": "Aghjunghje à i favuriti", "status.favourite": "Aghjunghje à i favuriti",
"status.filtered": "Filtratu", "status.filtered": "Filtratu",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Vede di più", "status.load_more": "Vede di più",
"status.media_hidden": "Media piattata",
"status.mention": "Mintuvà @{name}", "status.mention": "Mintuvà @{name}",
"status.more": "Più", "status.more": "Più",
"status.mute": "Piattà @{name}",
"status.mute_conversation": "Piattà a cunversazione", "status.mute_conversation": "Piattà a cunversazione",
"status.open": "Apre stu statutu", "status.open": "Apre stu statutu",
"status.pin": "Puntarulà à u prufile", "status.pin": "Puntarulà à u prufile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Leghje di più", "status.read_more": "Leghje di più",
"status.reblog": "Sparte", "status.reblog": "Sparte",
"status.reblog_private": "Sparte à l'audienza uriginale", "status.reblog_private": "Sparte à l'audienza uriginale",
@ -1009,13 +1109,15 @@
"status.replyAll": "Risponde à tutti", "status.replyAll": "Risponde à tutti",
"status.report": "Palisà @{name}", "status.report": "Palisà @{name}",
"status.sensitive_warning": "Cuntinutu sensibile", "status.sensitive_warning": "Cuntinutu sensibile",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Sparte", "status.share": "Sparte",
"status.show_less": "Ripiegà",
"status.show_less_all": "Ripiegà tuttu", "status.show_less_all": "Ripiegà tuttu",
"status.show_more": "Slibrà",
"status.show_more_all": "Slibrà tuttu", "status.show_more_all": "Slibrà tuttu",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Ùn piattà più a cunversazione", "status.unmute_conversation": "Ùn piattà più a cunversazione",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Righjittà a pruposta", "suggestions.dismiss": "Righjittà a pruposta",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Accolta", "tabs_bar.home": "Accolta",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Nutificazione", "tabs_bar.notifications": "Nutificazione",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Cercà", "tabs_bar.search": "Cercà",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# ghjornu ferma} other {# ghjorni fermanu}}", "time_remaining.days": "{number, plural, one {# ghjornu ferma} other {# ghjorni fermanu}}",
"time_remaining.hours": "{number, plural, one {# ora ferma} other {# ore fermanu}}", "time_remaining.hours": "{number, plural, one {# ora ferma} other {# ore fermanu}}",
"time_remaining.minutes": "{number, plural, one {# minuta ferma} other {# minute fermanu}} left", "time_remaining.minutes": "{number, plural, one {# minuta ferma} other {# minute fermanu}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# siconda ferma} other {# siconde fermanu}}", "time_remaining.seconds": "{number, plural, one {# siconda ferma} other {# siconde fermanu}}",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} parlanu", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} parlanu",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "A bruttacopia sarà persa s'ellu hè chjosu Soapbox.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Limita di caricamentu di fugliali trapassata.", "upload_error.limit": "Limita di caricamentu di fugliali trapassata.",
"upload_error.poll": "Ùn si pò micca caricà fugliali cù i scandagli.", "upload_error.poll": "Ùn si pò micca caricà fugliali cù i scandagli.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Discrive per i malvistosi", "upload_form.description": "Discrive per i malvistosi",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pausa", "video.pause": "Pausa",
"video.play": "Lettura", "video.play": "Lettura",
"video.unmute": "Caccià a surdina", "video.unmute": "Caccià a surdina",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -25,6 +25,7 @@
"account.follows": "Sledovaných", "account.follows": "Sledovaných",
"account.follows.empty": "Tento uživatel ještě nikoho nesleduje.", "account.follows.empty": "Tento uživatel ještě nikoho nesleduje.",
"account.follows_you": "Sleduje vás", "account.follows_you": "Sleduje vás",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Skrýt boosty od @{name}", "account.hide_reblogs": "Skrýt boosty od @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Vlastnictví tohoto odkazu bylo zkontrolováno dne {date}", "account.link_verified_on": "Vlastnictví tohoto odkazu bylo zkontrolováno dne {date}",
@ -33,7 +34,6 @@
"account.media": "Média", "account.media": "Média",
"account.member_since": "Zaregistrován/a od: {date}", "account.member_since": "Zaregistrován/a od: {date}",
"account.mention": "Zmínit uživatele", "account.mention": "Zmínit uživatele",
"account.moved_to": "{name} se přesunul/a na:",
"account.mute": "Skrýt @{name}", "account.mute": "Skrýt @{name}",
"account.muted": "Skrytý", "account.muted": "Skrytý",
"account.never_active": "Never", "account.never_active": "Never",
@ -136,6 +136,7 @@
"admin_nav.awaiting_approval": "Čeká na schválení", "admin_nav.awaiting_approval": "Čeká na schválení",
"admin_nav.dashboard": "Ovládací panel", "admin_nav.dashboard": "Ovládací panel",
"admin_nav.reports": "Nahlášeno", "admin_nav.reports": "Nahlášeno",
"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.fail": "You must be {ageMinimum, plural, one {# year} other {# years}} old or older.",
"age_verification.header": "Enter your birth date", "age_verification.header": "Enter your birth date",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
@ -177,6 +178,7 @@
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.", "birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Příště můžete pro přeskočení stisknout {combo}", "boost_modal.combo": "Příště můžete pro přeskočení stisknout {combo}",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Při načítání tohoto komponentu se něco pokazilo.", "bundle_column_error.body": "Při načítání tohoto komponentu se něco pokazilo.",
"bundle_column_error.retry": "Zkuste to znovu", "bundle_column_error.retry": "Zkuste to znovu",
"bundle_column_error.title": "Chyba sítě", "bundle_column_error.title": "Chyba sítě",
@ -188,6 +190,7 @@
"chat_box.input.placeholder": "Poslat zprávu…", "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.empty": "Žádné chaty nenalezeny. Chat můžete začít na něčím profilu.",
"chat_panels.main_window.title": "Chaty", "chat_panels.main_window.title": "Chaty",
"chat_window.close": "Close chat",
"chats.actions.delete": "Odstranit zprávu", "chats.actions.delete": "Odstranit zprávu",
"chats.actions.more": "Více", "chats.actions.more": "Více",
"chats.actions.report": "Nahlásit uživatele", "chats.actions.report": "Nahlásit uživatele",
@ -245,7 +248,6 @@
"column.filters.subheading_add_new": "Přidat filter", "column.filters.subheading_add_new": "Přidat filter",
"column.filters.subheading_filters": "Současné filtry", "column.filters.subheading_filters": "Současné filtry",
"column.filters.whole_word_header": "Celé slovo", "column.filters.whole_word_header": "Celé slovo",
"column.filters.whole_word_hint": "Pokud se klíčové slovo skládá pouze z písmen a číslic, bude aplikováno pouze pokud je kompletně shodné",
"column.filters.whole_word_hint": "Filtr bude aplikován, pokud se hledaný řetězec bude shodovat s celým jedním slovem v příspěvku. Pokud se bude shodovat pouze s částí slova, aplikován nebude. (Klíčové slovo tu musí obsahovat výhradně písmena a číslice.)", "column.filters.whole_word_hint": "Filtr bude aplikován, pokud se hledaný řetězec bude shodovat s celým jedním slovem v příspěvku. Pokud se bude shodovat pouze s částí slova, aplikován nebude. (Klíčové slovo tu musí obsahovat výhradně písmena a číslice.)",
"column.follow_requests": "Požadavky o sledování", "column.follow_requests": "Požadavky o sledování",
"column.followers": "Sledující", "column.followers": "Sledující",
@ -399,6 +401,7 @@
"developers.navigation.service_worker_label": "Service Worker", "developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
@ -463,6 +466,7 @@
"email_passthru.token_expired.heading": "Token Expired", "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.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_passthru.token_not_found.heading": "Invalid Token",
"email_verification.email.label": "E-mail address",
"email_verification.fail": "Failed to request email verification.", "email_verification.fail": "Failed to request email verification.",
"email_verification.header": "Enter your email address", "email_verification.header": "Enter your email address",
"email_verification.success": "Verification email sent successfully.", "email_verification.success": "Verification email sent successfully.",
@ -570,6 +574,7 @@
"header.login.label": "Přihlásit se", "header.login.label": "Přihlásit se",
"header.login.password.label": "Heslo", "header.login.password.label": "Heslo",
"header.login.username.placeholder": "E-mail nebo uživatelské jméno", "header.login.username.placeholder": "E-mail nebo uživatelské jméno",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_reblogs": "Zobrazit boosty", "home.column_settings.show_reblogs": "Zobrazit boosty",
"home.column_settings.show_replies": "Zobrazit odpovědi", "home.column_settings.show_replies": "Zobrazit odpovědi",
@ -760,9 +765,14 @@
"oauth_consumers.title": "Other ways to sign in", "oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Kreativitě se meze nekladou.", "onboarding.avatar.subtitle": "Kreativitě se meze nekladou.",
"onboarding.avatar.title": "Nastavte si profilový obrázek", "onboarding.avatar.title": "Nastavte si profilový obrázek",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "Později ho můžete změnit.", "onboarding.display_name.subtitle": "Později ho můžete změnit.",
"onboarding.display_name.title": "Nastavte si uživatelské jméno", "onboarding.display_name.title": "Nastavte si uživatelské jméno",
"onboarding.done": "Hotovo", "onboarding.done": "Hotovo",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "Tohle jste vy! Jiní lidí vás mohou sledovat z jiných serverů, stačí jim použít vaši plnou adresu s oběma zavináči.", "onboarding.fediverse.its_you": "Tohle jste vy! Jiní lidí vás mohou sledovat z jiných serverů, stačí jim použít vaši plnou adresu s oběma zavináči.",
"onboarding.fediverse.message": "Fediverse je sociální síť složená z tisíců různorodých a nezávisle provozovaných serverů. Můžete sledovat uživatele - a lajkovat, sdílet a odpovídat na příspěvky - z většiny ostatních serverů Fediversa, protože {siteTitle} s nimi dokáže komunikovat.", "onboarding.fediverse.message": "Fediverse je sociální síť složená z tisíců různorodých a nezávisle provozovaných serverů. Můžete sledovat uživatele - a lajkovat, sdílet a odpovídat na příspěvky - z většiny ostatních serverů Fediversa, protože {siteTitle} s nimi dokáže komunikovat.",
"onboarding.fediverse.next": "Next", "onboarding.fediverse.next": "Next",
@ -877,10 +887,12 @@
"registrations.create_account": "Create an account", "registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.", "registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!", "registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!", "registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination", "registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.", "registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores", "registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number} d", "relative_time.days": "{number} d",
"relative_time.hours": "{number} h", "relative_time.hours": "{number} h",
"relative_time.just_now": "právě teď", "relative_time.just_now": "právě teď",
@ -928,12 +940,15 @@
"report.otherActions.hideAdditional": "Hide additional statuses", "report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?", "report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Dodatečné komentáře", "report.placeholder": "Dodatečné komentáře",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.", "report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting", "report.reason.title": "Reason for reporting",
"report.submit": "Odeslat", "report.submit": "Odeslat",
"report.target": "Nahlášení uživatele {target}", "report.target": "Nahlášení uživatele {target}",
"reset_password.fail": "Expired token, please try again.", "reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Uložit", "save": "Uložit",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
@ -996,6 +1011,9 @@
"sms_verification.modal.verify_number": "Verify phone number", "sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS", "sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number", "sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"sms_verification.sent.body": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.sent.header": "Verification code", "sms_verification.sent.header": "Verification code",
"sms_verification.success": "A verification code has been sent to your phone number.", "sms_verification.success": "A verification code has been sent to your phone number.",
"snackbar.view": "View", "snackbar.view": "View",
@ -1009,6 +1027,8 @@
"soapbox_config.cta_label": "Zobrazit panely s výzvami k akci i nepřihlášeným uživatelům", "soapbox_config.cta_label": "Zobrazit panely s výzvami k akci i nepřihlášeným uživatelům",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Zobrazit doménu (např @uzivatel@domena) u místních účtů.", "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.accent_color_label": "Vedlejší barva",
"soapbox_config.fields.brand_color_label": "Hlavní barva", "soapbox_config.fields.brand_color_label": "Hlavní barva",
"soapbox_config.fields.crypto_addresses_label": "Adresy kryptoměn", "soapbox_config.fields.crypto_addresses_label": "Adresy kryptoměn",
@ -1057,10 +1077,12 @@
"status.direct": "Poslat přímou zprávu uživateli @{name}", "status.direct": "Poslat přímou zprávu uživateli @{name}",
"status.edit": "Edit", "status.edit": "Edit",
"status.embed": "Vložit na web", "status.embed": "Vložit na web",
"status.external": "View post on {domain}",
"status.favourite": "Oblíbit", "status.favourite": "Oblíbit",
"status.filtered": "Filtrováno", "status.filtered": "Filtrováno",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Zobrazit více", "status.load_more": "Zobrazit více",
"status.media_hidden": "Média skryta",
"status.mention": "Zmínit uživatele @{name}", "status.mention": "Zmínit uživatele @{name}",
"status.more": "Více", "status.more": "Více",
"status.mute_conversation": "Skrýt konverzaci", "status.mute_conversation": "Skrýt konverzaci",
@ -1121,6 +1143,7 @@
"tabs_bar.dashboard": "Ovládací panel", "tabs_bar.dashboard": "Ovládací panel",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Domů", "tabs_bar.home": "Domů",
"tabs_bar.local": "Local",
"tabs_bar.more": "Více", "tabs_bar.more": "Více",
"tabs_bar.notifications": "Oznámení", "tabs_bar.notifications": "Oznámení",
"tabs_bar.profile": "Profil", "tabs_bar.profile": "Profil",
@ -1165,5 +1188,7 @@
"video.pause": "Pauza", "video.pause": "Pauza",
"video.play": "Přehrát", "video.play": "Přehrát",
"video.unmute": "Zapnout zvuk", "video.unmute": "Zapnout zvuk",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Koho sledovat" "who_to_follow.title": "Koho sledovat"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Cuddio popeth rhag {domain}", "account.block_domain": "Cuddio popeth rhag {domain}",
"account.blocked": "Blociwyd", "account.blocked": "Blociwyd",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Neges breifat @{name}", "account.direct": "Neges breifat @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Golygu proffil", "account.edit_profile": "Golygu proffil",
"account.endorse": "Arddangos ar fy mhroffil", "account.endorse": "Arddangos ar fy mhroffil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Dilyn", "account.follow": "Dilyn",
"account.followers": "Dilynwyr", "account.followers": "Dilynwyr",
"account.followers.empty": "Nid oes neb yn dilyn y defnyddiwr hwn eto.", "account.followers.empty": "Nid oes neb yn dilyn y defnyddiwr hwn eto.",
"account.follows": "Yn dilyn", "account.follows": "Yn dilyn",
"account.follows.empty": "Nid yw'r defnyddiwr hwn yn dilyn unrhyw un eto.", "account.follows.empty": "Nid yw'r defnyddiwr hwn yn dilyn unrhyw un eto.",
"account.follows_you": "Yn eich dilyn chi", "account.follows_you": "Yn eich dilyn chi",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Cuddio bwstiau o @{name}", "account.hide_reblogs": "Cuddio bwstiau o @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Gwiriwyd perchnogaeth y ddolen yma ar {date}", "account.link_verified_on": "Gwiriwyd perchnogaeth y ddolen yma ar {date}",
@ -30,36 +34,56 @@
"account.media": "Cyfryngau", "account.media": "Cyfryngau",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Crybwyll", "account.mention": "Crybwyll",
"account.moved_to": "Mae @{name} wedi symud i:",
"account.mute": "Tawelu @{name}", "account.mute": "Tawelu @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Tŵtiau", "account.posts": "Tŵtiau",
"account.posts_with_replies": "Tŵtiau ac atebion", "account.posts_with_replies": "Tŵtiau ac atebion",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Adrodd @{name}", "account.report": "Adrodd @{name}",
"account.requested": "Aros am gymeradwyaeth. Cliciwch er mwyn canslo cais dilyn", "account.requested": "Aros am gymeradwyaeth. Cliciwch er mwyn canslo cais dilyn",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Rhannwch broffil @{name}", "account.share": "Rhannwch broffil @{name}",
"account.show_reblogs": "Dangos bwstiau o @{name}", "account.show_reblogs": "Dangos bwstiau o @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Dadflocio @{name}", "account.unblock": "Dadflocio @{name}",
"account.unblock_domain": "Dadguddio {domain}", "account.unblock_domain": "Dadguddio {domain}",
"account.unendorse": "Peidio a'i arddangos ar fy mhroffil", "account.unendorse": "Peidio a'i arddangos ar fy mhroffil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Dad-ddilyn", "account.unfollow": "Dad-ddilyn",
"account.unmute": "Dad-dawelu @{name}", "account.unmute": "Dad-dawelu @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Mae modd gwasgu {combo} er mwyn sgipio hyn tro nesa", "boost_modal.combo": "Mae modd gwasgu {combo} er mwyn sgipio hyn tro nesa",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Aeth rhywbeth o'i le tra'n llwytho'r elfen hon.", "bundle_column_error.body": "Aeth rhywbeth o'i le tra'n llwytho'r elfen hon.",
"bundle_column_error.retry": "Ceisiwch eto", "bundle_column_error.retry": "Ceisiwch eto",
"bundle_column_error.title": "Gwall rhwydwaith", "bundle_column_error.title": "Gwall rhwydwaith",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Ffrwd lleol", "column.community": "Ffrwd lleol",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Negeseuon preifat", "column.direct": "Negeseuon preifat",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Parthau cuddiedig", "column.domain_blocks": "Parthau cuddiedig",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Ceisiadau dilyn", "column.follow_requests": "Ceisiadau dilyn",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Hafan", "column.home": "Hafan",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Nôl", "column_back_button.label": "Nôl",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Dangos gosodiadau",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Cyfryngau yn unig", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Mi fydd y tŵt hwn ond yn cael ei anfon at y defnyddwyr sy'n cael eu crybwyll.", "compose_form.direct_message_warning": "Mi fydd y tŵt hwn ond yn cael ei anfon at y defnyddwyr sy'n cael eu crybwyll.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Beth sydd ar eich meddwl?", "compose_form.placeholder": "Beth sydd ar eich meddwl?",
"compose_form.poll.add_option": "Ychwanegu Dewisiad", "compose_form.poll.add_option": "Ychwanegu Dewisiad",
"compose_form.poll.duration": "Cyfnod pleidlais", "compose_form.poll.duration": "Cyfnod pleidlais",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Dewisiad {number}", "compose_form.poll.option_placeholder": "Dewisiad {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Tynnu'r dewisiad", "compose_form.poll.remove_option": "Tynnu'r dewisiad",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tŵt", "compose_form.publish": "Tŵt",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marcio cyfryngau fel eu bod yn sensitif",
"compose_form.sensitive.marked": "Cyfryngau wedi'u marcio'n sensitif",
"compose_form.sensitive.unmarked": "Nid yw'r cyfryngau wedi'u marcio'n sensitif",
"compose_form.spoiler.marked": "Testun wedi ei guddio gan rybudd", "compose_form.spoiler.marked": "Testun wedi ei guddio gan rybudd",
"compose_form.spoiler.unmarked": "Nid yw'r testun wedi ei guddio", "compose_form.spoiler.unmarked": "Nid yw'r testun wedi ei guddio",
"compose_form.spoiler_placeholder": "Ysgrifenwch eich rhybudd yma", "compose_form.spoiler_placeholder": "Ysgrifenwch eich rhybudd yma",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Canslo", "confirmation_modal.cancel": "Canslo",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blocio", "confirmations.block.confirm": "Blocio",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Ydych chi'n sicr eich bod eisiau blocio {name}?", "confirmations.block.message": "Ydych chi'n sicr eich bod eisiau blocio {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Dileu", "confirmations.delete.confirm": "Dileu",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Ydych chi'n sicr eich bod eisiau dileu y tŵt hwn?", "confirmations.delete.message": "Ydych chi'n sicr eich bod eisiau dileu y tŵt hwn?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Ateb", "confirmations.reply.confirm": "Ateb",
"confirmations.reply.message": "Bydd ateb nawr yn cymryd lle y neges yr ydych yn cyfansoddi ar hyn o bryd. Ydych chi'n sicr yr ydych am barhau?", "confirmations.reply.message": "Bydd ateb nawr yn cymryd lle y neges yr ydych yn cyfansoddi ar hyn o bryd. Ydych chi'n sicr yr ydych am barhau?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Mewnblannwch y tŵt hwn ar eich gwefan drwy gopïo'r côd isod.", "embed.instructions": "Mewnblannwch y tŵt hwn ar eich gwefan drwy gopïo'r côd isod.",
"embed.preview": "Dyma sut olwg fydd arno:",
"emoji_button.activity": "Gweithgarwch", "emoji_button.activity": "Gweithgarwch",
"emoji_button.custom": "Unigryw", "emoji_button.custom": "Unigryw",
"emoji_button.flags": "Baneri", "emoji_button.flags": "Baneri",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Nid oes gennych unrhyw geisiadau dilyn eto. Pan dderbyniwch chi un, byddent yn ymddangos yma.", "empty_column.follow_requests": "Nid oes gennych unrhyw geisiadau dilyn eto. Pan dderbyniwch chi un, byddent yn ymddangos yma.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Nid oes dim ar yr hashnod hwn eto.", "empty_column.hashtag": "Nid oes dim ar yr hashnod hwn eto.",
"empty_column.home": "Mae eich ffrwd gartref yn wag! Ymwelwch a {public} neu defnyddiwch y chwilotwr i ddechrau arni ac i gwrdd a defnyddwyr eraill.", "empty_column.home": "Mae eich ffrwd gartref yn wag! Ymwelwch a {public} neu defnyddiwch y chwilotwr i ddechrau arni ac i gwrdd a defnyddwyr eraill.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Nid oes dim yn y rhestr yma eto. Pan y bydd aelodau'r rhestr yn cyhoeddi statws newydd, mi fydd yn ymddangos yma.", "empty_column.list": "Nid oes dim yn y rhestr yma eto. Pan y bydd aelodau'r rhestr yn cyhoeddi statws newydd, mi fydd yn ymddangos yma.",
"empty_column.lists": "Nid oes gennych unrhyw restrau eto. Pan grëwch chi un, mi fydd yn ymddangos yma.", "empty_column.lists": "Nid oes gennych unrhyw restrau eto. Pan grëwch chi un, mi fydd yn ymddangos yma.",
"empty_column.mutes": "Nid ydych wedi tawelu unrhyw ddefnyddwyr eto.", "empty_column.mutes": "Nid ydych wedi tawelu unrhyw ddefnyddwyr eto.",
"empty_column.notifications": "Nid oes gennych unrhyw hysbysiadau eto. Rhyngweithiwch ac eraill i ddechrau'r sgwrs.", "empty_column.notifications": "Nid oes gennych unrhyw hysbysiadau eto. Rhyngweithiwch ac eraill i ddechrau'r sgwrs.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Does dim byd yma! Ysgrifennwch rhywbeth yn gyhoeddus, neu dilynwch ddefnyddwyr o achosion eraill i'w lenwi", "empty_column.public": "Does dim byd yma! Ysgrifennwch rhywbeth yn gyhoeddus, neu dilynwch ddefnyddwyr o achosion eraill i'w lenwi",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Caniatau", "follow_request.authorize": "Caniatau",
"follow_request.reject": "Gwrthod", "follow_request.reject": "Gwrthod",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "gdpr.message": "{siteTitle} uses session cookies, which are essential to the website's functioning.",
"gdpr.title": "{siteTitle} uses cookies",
"getting_started.open_source_notice": "Mae {code_name} yn feddalwedd côd agored. Mae modd cyfrannu neu adrodd materion ar GitLab ar {code_link} (v{code_version}).", "getting_started.open_source_notice": "Mae {code_name} yn feddalwedd côd agored. Mae modd cyfrannu neu adrodd materion ar GitLab ar {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "a {additional}", "hashtag.column_header.tag_mode.all": "a {additional}",
"hashtag.column_header.tag_mode.any": "neu {additional}", "hashtag.column_header.tag_mode.any": "neu {additional}",
"hashtag.column_header.tag_mode.none": "heb {additional}", "hashtag.column_header.tag_mode.none": "heb {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Dangos bŵstiau", "home.column_settings.show_reblogs": "Dangos bŵstiau",
"home.column_settings.show_replies": "Dangos ymatebion", "home.column_settings.show_replies": "Dangos ymatebion",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# ddydd} other {# o ddyddiau}}", "intervals.full.days": "{number, plural, one {# ddydd} other {# o ddyddiau}}",
"intervals.full.hours": "{number, plural, one {# awr} other {# o oriau}}", "intervals.full.hours": "{number, plural, one {# awr} other {# o oriau}}",
"intervals.full.minutes": "{number, plural, one {# funud} other {# o funudau}}", "intervals.full.minutes": "{number, plural, one {# funud} other {# o funudau}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "i lywio nôl", "keyboard_shortcuts.back": "i lywio nôl",
"keyboard_shortcuts.blocked": "i agor rhestr defnyddwyr a flociwyd", "keyboard_shortcuts.blocked": "i agor rhestr defnyddwyr a flociwyd",
"keyboard_shortcuts.boost": "i fŵstio", "keyboard_shortcuts.boost": "i fŵstio",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Toglo gwelededd", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Heb ei ganfod", "missing_indicator.label": "Heb ei ganfod",
"missing_indicator.sublabel": "Ni ellid canfod yr adnodd hwn", "missing_indicator.sublabel": "Ni ellid canfod yr adnodd hwn",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Cuddio hysbysiadau rhag y defnyddiwr hwn?", "mute_modal.hide_notifications": "Cuddio hysbysiadau rhag y defnyddiwr hwn?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Defnyddwyr wedi eu blocio", "navigation_bar.blocks": "Defnyddwyr wedi eu blocio",
"navigation_bar.compose": "Cyfansoddi tŵt newydd", "navigation_bar.compose": "Cyfansoddi tŵt newydd",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Parthau cuddiedig", "navigation_bar.domain_blocks": "Parthau cuddiedig",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Defnyddwyr a dawelwyd", "navigation_bar.mutes": "Defnyddwyr a dawelwyd",
"navigation_bar.preferences": "Dewisiadau", "navigation_bar.preferences": "Dewisiadau",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Diogelwch",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "hoffodd {name} eich tŵt", "notification.favourite": "hoffodd {name} eich tŵt",
"notification.follow": "dilynodd {name} chi", "notification.follow": "dilynodd {name} chi",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "Soniodd {name} amdanoch chi", "notification.mention": "Soniodd {name} amdanoch chi",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Mae pleidlais rydych wedi pleidleisio ynddi wedi dod i ben", "notification.poll": "Mae pleidlais rydych wedi pleidleisio ynddi wedi dod i ben",
"notification.reblog": "Hysbysebodd {name} eich tŵt", "notification.reblog": "Hysbysebodd {name} eich tŵt",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clirio hysbysiadau", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Ydych chi'n sicr eich bod am glirio'ch holl hysbysiadau am byth?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Hysbysiadau bwrdd gwaith",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Ffefrynnau:",
"notifications.column_settings.filter_bar.advanced": "Dangos pob categori",
"notifications.column_settings.filter_bar.category": "Bar hidlo",
"notifications.column_settings.filter_bar.show": "Dangos",
"notifications.column_settings.follow": "Dilynwyr newydd:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Crybwylliadau:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Canlyniadau pleidlais:",
"notifications.column_settings.push": "Hysbysiadau gwthiadwy",
"notifications.column_settings.reblog": "Hybiadau:",
"notifications.column_settings.show": "Dangos yn y golofn",
"notifications.column_settings.sound": "Chwarae sain",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Pob", "notifications.filter.all": "Pob",
"notifications.filter.boosts": "Hybiadau", "notifications.filter.boosts": "Hybiadau",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Ffefrynnau", "notifications.filter.favourites": "Ffefrynnau",
"notifications.filter.follows": "Yn dilyn", "notifications.filter.follows": "Yn dilyn",
"notifications.filter.mentions": "Crybwylliadau", "notifications.filter.mentions": "Crybwylliadau",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Canlyniadau pleidlais", "notifications.filter.polls": "Canlyniadau pleidlais",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} o hysbysiadau", "notifications.group": "{count} o hysbysiadau",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Ar gau", "poll.closed": "Ar gau",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Adnewyddu", "poll.refresh": "Adnewyddu",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# bleidlais} other {# o bleidleisiau}}", "poll.total_votes": "{count, plural, one {# bleidlais} other {# o bleidleisiau}}",
"poll.vote": "Pleidleisio", "poll.vote": "Pleidleisio",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Ychwanegu pleidlais", "poll_button.add_poll": "Ychwanegu pleidlais",
"poll_button.remove_poll": "Tynnu pleidlais", "poll_button.remove_poll": "Tynnu pleidlais",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Addasu preifatrwdd y tŵt", "privacy.change": "Addasu preifatrwdd y tŵt",
"privacy.direct.long": "Cyhoeddi i'r defnyddwyr sy'n cael eu crybwyll yn unig", "privacy.direct.long": "Cyhoeddi i'r defnyddwyr sy'n cael eu crybwyll yn unig",
"privacy.direct.short": "Uniongyrchol", "privacy.direct.short": "Uniongyrchol",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Heb ei restru", "privacy.unlisted.short": "Heb ei restru",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Llwytho…", "regeneration_indicator.label": "Llwytho…",
"regeneration_indicator.sublabel": "Mae eich ffrwd cartref yn cael ei baratoi!", "regeneration_indicator.sublabel": "Mae eich ffrwd cartref yn cael ei baratoi!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}dydd", "relative_time.days": "{number}dydd",
"relative_time.hours": "{number}awr", "relative_time.hours": "{number}awr",
"relative_time.just_now": "nawr", "relative_time.just_now": "nawr",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Canslo", "reply_indicator.cancel": "Canslo",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Ymlaen i {target}", "report.forward": "Ymlaen i {target}",
"report.forward_hint": "Mae'r cyfrif o weinydd arall. Anfon copi anhysbys o'r adroddiad yno hefyd?", "report.forward_hint": "Mae'r cyfrif o weinydd arall. Anfon copi anhysbys o'r adroddiad yno hefyd?",
"report.hint": "Bydd yr adroddiad yn cael ei anfon i arolygydd eich achos. Mae modd darparu esboniad o pam yr ydych yn cwyno am y cyfrif hwn isod:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Sylwadau ychwanegol", "report.placeholder": "Sylwadau ychwanegol",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Cyflwyno", "report.submit": "Cyflwyno",
"report.target": "Cwyno am {target}", "report.target": "Cwyno am {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Chwilio", "search.placeholder": "Chwilio",
"search_results.accounts": "Pobl", "search_results.accounts": "Pobl",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hanshnodau", "search_results.hashtags": "Hanshnodau",
"search_results.statuses": "Tŵtiau", "search_results.statuses": "Tŵtiau",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Agor rhyngwyneb goruwchwylio ar gyfer @{name}", "status.admin_account": "Agor rhyngwyneb goruwchwylio ar gyfer @{name}",
"status.admin_status": "Agor y tŵt yn y rhyngwyneb goruwchwylio", "status.admin_status": "Agor y tŵt yn y rhyngwyneb goruwchwylio",
"status.block": "Blocio @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Dadfŵstio", "status.cancel_reblog_private": "Dadfŵstio",
@ -976,14 +1075,16 @@
"status.delete": "Dileu", "status.delete": "Dileu",
"status.detailed_status": "Golwg manwl o'r sgwrs", "status.detailed_status": "Golwg manwl o'r sgwrs",
"status.direct": "Neges breifat @{name}", "status.direct": "Neges breifat @{name}",
"status.edit": "Edit",
"status.embed": "Plannu", "status.embed": "Plannu",
"status.external": "View post on {domain}",
"status.favourite": "Hoffi", "status.favourite": "Hoffi",
"status.filtered": "Wedi'i hidlo", "status.filtered": "Wedi'i hidlo",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Llwythwch mwy", "status.load_more": "Llwythwch mwy",
"status.media_hidden": "Cyfryngau wedi'u cuddio",
"status.mention": "Crybwyll @{name}", "status.mention": "Crybwyll @{name}",
"status.more": "Mwy", "status.more": "Mwy",
"status.mute": "Tawelu @{name}",
"status.mute_conversation": "Tawelu sgwrs", "status.mute_conversation": "Tawelu sgwrs",
"status.open": "Ehangu'r tŵt hwn", "status.open": "Ehangu'r tŵt hwn",
"status.pin": "Pinio ar y proffil", "status.pin": "Pinio ar y proffil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Darllen mwy", "status.read_more": "Darllen mwy",
"status.reblog": "Hybu", "status.reblog": "Hybu",
"status.reblog_private": "Hybu i'r gynulleidfa wreiddiol", "status.reblog_private": "Hybu i'r gynulleidfa wreiddiol",
@ -1009,13 +1109,15 @@
"status.replyAll": "Ateb i edefyn", "status.replyAll": "Ateb i edefyn",
"status.report": "Adrodd @{name}", "status.report": "Adrodd @{name}",
"status.sensitive_warning": "Cynnwys sensitif", "status.sensitive_warning": "Cynnwys sensitif",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Rhannu", "status.share": "Rhannu",
"status.show_less": "Dangos llai",
"status.show_less_all": "Dangos llai i bawb", "status.show_less_all": "Dangos llai i bawb",
"status.show_more": "Dangos mwy",
"status.show_more_all": "Dangos mwy i bawb", "status.show_more_all": "Dangos mwy i bawb",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Dad-dawelu sgwrs", "status.unmute_conversation": "Dad-dawelu sgwrs",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Diswyddo", "suggestions.dismiss": "Diswyddo",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hafan", "tabs_bar.home": "Hafan",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Hysbysiadau", "tabs_bar.notifications": "Hysbysiadau",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Chwilio", "tabs_bar.search": "Chwilio",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# ddydd} other {# o ddyddiau}} ar ôl", "time_remaining.days": "{number, plural, one {# ddydd} other {# o ddyddiau}} ar ôl",
"time_remaining.hours": "{number, plural, one {# awr} other {# o oriau}} ar ôl", "time_remaining.hours": "{number, plural, one {# awr} other {# o oriau}} ar ôl",
"time_remaining.minutes": "{number, plural, one {# funud} other {# o funudau}} ar ôl", "time_remaining.minutes": "{number, plural, one {# funud} other {# o funudau}} ar ôl",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# eiliad} other {# o eiliadau}} ar ôl", "time_remaining.seconds": "{number, plural, one {# eiliad} other {# o eiliadau}} ar ôl",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} yn siarad", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} yn siarad",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Mi fyddwch yn colli eich drafft os gadewch Soapbox.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Wedi mynd heibio'r uchafswm terfyn uwchlwytho.", "upload_error.limit": "Wedi mynd heibio'r uchafswm terfyn uwchlwytho.",
"upload_error.poll": "Nid oes modd uwchlwytho ffeiliau â phleidleisiau.", "upload_error.poll": "Nid oes modd uwchlwytho ffeiliau â phleidleisiau.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Disgrifio i'r rheini a nam ar ei golwg", "upload_form.description": "Disgrifio i'r rheini a nam ar ei golwg",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Oedi", "video.pause": "Oedi",
"video.play": "Chwarae", "video.play": "Chwarae",
"video.unmute": "Dad-dawelu sain", "video.unmute": "Dad-dawelu sain",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Skjul alt fra {domain}", "account.block_domain": "Skjul alt fra {domain}",
"account.blocked": "Blokeret", "account.blocked": "Blokeret",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Send en direkte besked til @{name}", "account.direct": "Send en direkte besked til @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Rediger profil", "account.edit_profile": "Rediger profil",
"account.endorse": "Fremhæv på profil", "account.endorse": "Fremhæv på profil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Følg", "account.follow": "Følg",
"account.followers": "Følgere", "account.followers": "Følgere",
"account.followers.empty": "Der er endnu ingen der følger denne bruger.", "account.followers.empty": "Der er endnu ingen der følger denne bruger.",
"account.follows": "Følger", "account.follows": "Følger",
"account.follows.empty": "Denne bruger følger endnu ikke nogen.", "account.follows.empty": "Denne bruger følger endnu ikke nogen.",
"account.follows_you": "Følger dig", "account.follows_you": "Følger dig",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Skjul fremhævelserne fra @{name}", "account.hide_reblogs": "Skjul fremhævelserne fra @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ejerskabet af dette link blev tjekket den %{date}", "account.link_verified_on": "Ejerskabet af dette link blev tjekket den %{date}",
@ -30,36 +34,56 @@
"account.media": "Medie", "account.media": "Medie",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Nævn", "account.mention": "Nævn",
"account.moved_to": "{name} er flyttet til:",
"account.mute": "Dæmp @{name}", "account.mute": "Dæmp @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Trut", "account.posts": "Trut",
"account.posts_with_replies": "Trut og svar", "account.posts_with_replies": "Trut og svar",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Rapporter @{name}", "account.report": "Rapporter @{name}",
"account.requested": "Afventer godkendelse. Tryk for at annullere følgeanmodning", "account.requested": "Afventer godkendelse. Tryk for at annullere følgeanmodning",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Del @{name}s profil", "account.share": "Del @{name}s profil",
"account.show_reblogs": "Vis fremhævelserne fra @{name}", "account.show_reblogs": "Vis fremhævelserne fra @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Fjern blokeringen af @{name}", "account.unblock": "Fjern blokeringen af @{name}",
"account.unblock_domain": "Skjul ikke længere {domain}", "account.unblock_domain": "Skjul ikke længere {domain}",
"account.unendorse": "Fremhæv ikke på profil", "account.unendorse": "Fremhæv ikke på profil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Følg ikke længere", "account.unfollow": "Følg ikke længere",
"account.unmute": "Fjern dæmpningen af @{name}", "account.unmute": "Fjern dæmpningen af @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Du kan trykke {combo} for at springe dette over næste gang", "boost_modal.combo": "Du kan trykke {combo} for at springe dette over næste gang",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Noget gik galt under indlæsningen af dette komponent.", "bundle_column_error.body": "Noget gik galt under indlæsningen af dette komponent.",
"bundle_column_error.retry": "Prøv igen", "bundle_column_error.retry": "Prøv igen",
"bundle_column_error.title": "Netværksfejl", "bundle_column_error.title": "Netværksfejl",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Lokal tidslinje", "column.community": "Lokal tidslinje",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direkte beskeder", "column.direct": "Direkte beskeder",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Skjulte domæner", "column.domain_blocks": "Skjulte domæner",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Anmodning om at følge", "column.follow_requests": "Anmodning om at følge",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Hjem", "column.home": "Hjem",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Tilbage", "column_back_button.label": "Tilbage",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Vis indstillinger",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Kun medie", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Dette trut vil kun blive sendt til de nævnte brugere.", "compose_form.direct_message_warning": "Dette trut vil kun blive sendt til de nævnte brugere.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Hvad har du på hjertet?", "compose_form.placeholder": "Hvad har du på hjertet?",
"compose_form.poll.add_option": "Tilføj valgmulighed", "compose_form.poll.add_option": "Tilføj valgmulighed",
"compose_form.poll.duration": "Afstemningens varighed", "compose_form.poll.duration": "Afstemningens varighed",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Valgmulighed {number}", "compose_form.poll.option_placeholder": "Valgmulighed {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Fjern denne valgmulighed", "compose_form.poll.remove_option": "Fjern denne valgmulighed",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Trut", "compose_form.publish": "Trut",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Markér medie som følsomt",
"compose_form.sensitive.marked": "Medie er markeret som værende følsomt",
"compose_form.sensitive.unmarked": "Mediet er ikke markeret som værende følsomt",
"compose_form.spoiler.marked": "Teksten er skjult bag en advarsel", "compose_form.spoiler.marked": "Teksten er skjult bag en advarsel",
"compose_form.spoiler.unmarked": "Teksten er ikke skjult", "compose_form.spoiler.unmarked": "Teksten er ikke skjult",
"compose_form.spoiler_placeholder": "Skriv din advarsel her", "compose_form.spoiler_placeholder": "Skriv din advarsel her",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Annuller", "confirmation_modal.cancel": "Annuller",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloker", "confirmations.block.confirm": "Bloker",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Er du sikker på, du vil blokere {name}?", "confirmations.block.message": "Er du sikker på, du vil blokere {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Slet", "confirmations.delete.confirm": "Slet",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Er du sikker på, du vil slette denne status?", "confirmations.delete.message": "Er du sikker på, du vil slette denne status?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Svar", "confirmations.reply.confirm": "Svar",
"confirmations.reply.message": "Hvis du svarer nu vil du overskrive den besked du er ved at skrive. Er du sikker på, du vil fortsætte?", "confirmations.reply.message": "Hvis du svarer nu vil du overskrive den besked du er ved at skrive. Er du sikker på, du vil fortsætte?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Indlejre denne status på din side ved at kopiere nedenstående kode.", "embed.instructions": "Indlejre denne status på din side ved at kopiere nedenstående kode.",
"embed.preview": "Det kommer til at se således ud:",
"emoji_button.activity": "Aktivitet", "emoji_button.activity": "Aktivitet",
"emoji_button.custom": "Bruger defineret", "emoji_button.custom": "Bruger defineret",
"emoji_button.flags": "Flag", "emoji_button.flags": "Flag",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Du har endnu ingen følgeranmodninger. Når du modtager en, vil den komme frem her.", "empty_column.follow_requests": "Du har endnu ingen følgeranmodninger. Når du modtager en, vil den komme frem her.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Dette hashtag indeholder endnu ikke noget.", "empty_column.hashtag": "Dette hashtag indeholder endnu ikke noget.",
"empty_column.home": "Din hjemme tidslinje er tom! Besøg {public} eller brug søgningen for at komme igang og møde andre brugere.", "empty_column.home": "Din hjemme tidslinje er tom! Besøg {public} eller brug søgningen for at komme igang og møde andre brugere.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Der er endnu intet i denne liste. Når medlemmer af denne liste poster nye statusser, vil de vises her.", "empty_column.list": "Der er endnu intet i denne liste. Når medlemmer af denne liste poster nye statusser, vil de vises her.",
"empty_column.lists": "Du har endnu ingen lister. Når du opretter en, vil den blive vist her.", "empty_column.lists": "Du har endnu ingen lister. Når du opretter en, vil den blive vist her.",
"empty_column.mutes": "Du har endnu ikke dæmpet nogen som helst bruger.", "empty_column.mutes": "Du har endnu ikke dæmpet nogen som helst bruger.",
"empty_column.notifications": "Du har endnu ingen notifikationer. Tag ud og bland dig med folkemængden for at starte samtalen.", "empty_column.notifications": "Du har endnu ingen notifikationer. Tag ud og bland dig med folkemængden for at starte samtalen.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Der er ikke noget at se her! Skriv noget offentligt eller start ud med manuelt at følge brugere fra andre server for at udfylde tomrummet", "empty_column.public": "Der er ikke noget at se her! Skriv noget offentligt eller start ud med manuelt at følge brugere fra andre server for at udfylde tomrummet",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Godkend", "follow_request.authorize": "Godkend",
"follow_request.reject": "Afvis", "follow_request.reject": "Afvis",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} er et open source software. Du kan bidrage eller rapporterer fejl på GitLab {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} er et open source software. Du kan bidrage eller rapporterer fejl på GitLab {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "og {additional}", "hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eller {additional}", "hashtag.column_header.tag_mode.any": "eller {additional}",
"hashtag.column_header.tag_mode.none": "uden {additional}", "hashtag.column_header.tag_mode.none": "uden {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Vis fremhævelser", "home.column_settings.show_reblogs": "Vis fremhævelser",
"home.column_settings.show_replies": "Vis svar", "home.column_settings.show_replies": "Vis svar",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# dag} other {# dage}}", "intervals.full.days": "{number, plural, one {# dag} other {# dage}}",
"intervals.full.hours": "{number, plural, one {# time} other {# timer}}", "intervals.full.hours": "{number, plural, one {# time} other {# timer}}",
"intervals.full.minutes": "{number, plural, one {# minut} other {# minutter}}", "intervals.full.minutes": "{number, plural, one {# minut} other {# minutter}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "for at navigere dig tilbage", "keyboard_shortcuts.back": "for at navigere dig tilbage",
"keyboard_shortcuts.blocked": "for at åbne listen over blokerede brugere", "keyboard_shortcuts.blocked": "for at åbne listen over blokerede brugere",
"keyboard_shortcuts.boost": "for at fremhæve", "keyboard_shortcuts.boost": "for at fremhæve",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Ændre synlighed", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ikke fundet", "missing_indicator.label": "Ikke fundet",
"missing_indicator.sublabel": "Denne ressource kunne ikke blive fundet", "missing_indicator.sublabel": "Denne ressource kunne ikke blive fundet",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Skjul notifikationer fra denne bruger?", "mute_modal.hide_notifications": "Skjul notifikationer fra denne bruger?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokerede brugere", "navigation_bar.blocks": "Blokerede brugere",
"navigation_bar.compose": "Skriv nyt trut", "navigation_bar.compose": "Skriv nyt trut",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Skjulte domæner", "navigation_bar.domain_blocks": "Skjulte domæner",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Dæmpede brugere", "navigation_bar.mutes": "Dæmpede brugere",
"navigation_bar.preferences": "Præferencer", "navigation_bar.preferences": "Præferencer",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Sikkerhed",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favoriserede din status", "notification.favourite": "{name} favoriserede din status",
"notification.follow": "{name} fulgte dig", "notification.follow": "{name} fulgte dig",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} nævnte dig", "notification.mention": "{name} nævnte dig",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "En afstemning, du stemte i, er slut", "notification.poll": "En afstemning, du stemte i, er slut",
"notification.reblog": "{name} boostede din status", "notification.reblog": "{name} boostede din status",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Ryd notifikationer", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Er du sikker på, du vil rydde alle dine notifikationer permanent?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Skrivebordsnotifikationer",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoritter:",
"notifications.column_settings.filter_bar.advanced": "Vis alle kategorier",
"notifications.column_settings.filter_bar.category": "Hurtigfilter",
"notifications.column_settings.filter_bar.show": "Vis",
"notifications.column_settings.follow": "Nye følgere:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Statusser der nævner dig:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Afstemningsresultat:",
"notifications.column_settings.push": "Pushnotifikationer",
"notifications.column_settings.reblog": "Reposts:",
"notifications.column_settings.show": "Vis i kolonne",
"notifications.column_settings.sound": "Afspil lyd",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Alle", "notifications.filter.all": "Alle",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favoritter", "notifications.filter.favourites": "Favoritter",
"notifications.filter.follows": "Følger", "notifications.filter.follows": "Følger",
"notifications.filter.mentions": "Statusser der nævner dig", "notifications.filter.mentions": "Statusser der nævner dig",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Afstemningsresultat", "notifications.filter.polls": "Afstemningsresultat",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifikationer", "notifications.group": "{count} notifikationer",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Lukket", "poll.closed": "Lukket",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Opdatér", "poll.refresh": "Opdatér",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# stemme} other {# stemmer}}", "poll.total_votes": "{count, plural, one {# stemme} other {# stemmer}}",
"poll.vote": "Stem", "poll.vote": "Stem",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Tilføj en afstemning", "poll_button.add_poll": "Tilføj en afstemning",
"poll_button.remove_poll": "Fjern afstemning", "poll_button.remove_poll": "Fjern afstemning",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Skift status visningsindstillinger", "privacy.change": "Skift status visningsindstillinger",
"privacy.direct.long": "Udgiv kun til nævnte brugere", "privacy.direct.long": "Udgiv kun til nævnte brugere",
"privacy.direct.short": "Direkte", "privacy.direct.short": "Direkte",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Ikke listet", "privacy.unlisted.short": "Ikke listet",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Indlæser…", "regeneration_indicator.label": "Indlæser…",
"regeneration_indicator.sublabel": "Din startside er ved at blive forberedt!", "regeneration_indicator.sublabel": "Din startside er ved at blive forberedt!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}t", "relative_time.hours": "{number}t",
"relative_time.just_now": "nu", "relative_time.just_now": "nu",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Annuller", "reply_indicator.cancel": "Annuller",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Videresend til {target}", "report.forward": "Videresend til {target}",
"report.forward_hint": "Kontoen er fra en anden server. Vil du også sende en anonym kopi af anmeldelsen dertil?", "report.forward_hint": "Kontoen er fra en anden server. Vil du også sende en anonym kopi af anmeldelsen dertil?",
"report.hint": "Anmeldelsen vil blive sendt til moderatorene af din instans. Du kan give en forklaring på hvorfor du anmelder denne konto nedenfor:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Yderligere kommentarer", "report.placeholder": "Yderligere kommentarer",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Indsend", "report.submit": "Indsend",
"report.target": "Anmelder {target}", "report.target": "Anmelder {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Søg", "search.placeholder": "Søg",
"search_results.accounts": "Personer", "search_results.accounts": "Personer",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Trut", "search_results.statuses": "Trut",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Åben modereringsvisning for @{name}", "status.admin_account": "Åben modereringsvisning for @{name}",
"status.admin_status": "Åben denne status i modereringsvisningen", "status.admin_status": "Åben denne status i modereringsvisningen",
"status.block": "Bloker @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Fjern boost", "status.cancel_reblog_private": "Fjern boost",
@ -976,14 +1075,16 @@
"status.delete": "Slet", "status.delete": "Slet",
"status.detailed_status": "Detaljeret visning af samtale", "status.detailed_status": "Detaljeret visning af samtale",
"status.direct": "Send direkte besked til @{name}", "status.direct": "Send direkte besked til @{name}",
"status.edit": "Edit",
"status.embed": "Integrér", "status.embed": "Integrér",
"status.external": "View post on {domain}",
"status.favourite": "Favorit", "status.favourite": "Favorit",
"status.filtered": "Filtreret", "status.filtered": "Filtreret",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Indlæs mere", "status.load_more": "Indlæs mere",
"status.media_hidden": "Medie skjult",
"status.mention": "Nævn @{name}", "status.mention": "Nævn @{name}",
"status.more": "Mere", "status.more": "Mere",
"status.mute": "Dæmp @{name}",
"status.mute_conversation": "Dæmp samtale", "status.mute_conversation": "Dæmp samtale",
"status.open": "Udvid denne status", "status.open": "Udvid denne status",
"status.pin": "Fastgør til profil", "status.pin": "Fastgør til profil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Læs mere", "status.read_more": "Læs mere",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Boost til det oprindelige publikum", "status.reblog_private": "Boost til det oprindelige publikum",
@ -1009,13 +1109,15 @@
"status.replyAll": "Besvar samtale", "status.replyAll": "Besvar samtale",
"status.report": "Anmeld @{name}", "status.report": "Anmeld @{name}",
"status.sensitive_warning": "Følsomt indhold", "status.sensitive_warning": "Følsomt indhold",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Del", "status.share": "Del",
"status.show_less": "Vis mindre",
"status.show_less_all": "Vis mindre for alle", "status.show_less_all": "Vis mindre for alle",
"status.show_more": "Vis mere",
"status.show_more_all": "Vis mere for alle", "status.show_more_all": "Vis mere for alle",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Genaktivér samtale", "status.unmute_conversation": "Genaktivér samtale",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Afvis foreslag", "suggestions.dismiss": "Afvis foreslag",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hjem", "tabs_bar.home": "Hjem",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifikationer", "tabs_bar.notifications": "Notifikationer",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Søg", "tabs_bar.search": "Søg",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# dag} other {# dage}} tilbage", "time_remaining.days": "{number, plural, one {# dag} other {# dage}} tilbage",
"time_remaining.hours": "{number, plural, one {# time} other {# timer}} tilbage", "time_remaining.hours": "{number, plural, one {# time} other {# timer}} tilbage",
"time_remaining.minutes": "{number, plural, one {# minut} other {# minutter}} tilbage", "time_remaining.minutes": "{number, plural, one {# minut} other {# minutter}} tilbage",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# sekund} other {# sekunder}} tilbage", "time_remaining.seconds": "{number, plural, one {# sekund} other {# sekunder}} tilbage",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {personer}} snakker", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {personer}} snakker",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Din kladde vil gå tabt hvis du forlader Soapbox.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Uploadgrænse overskredet.", "upload_error.limit": "Uploadgrænse overskredet.",
"upload_error.poll": "Filupload ikke tilladt sammen med afstemninger.", "upload_error.poll": "Filupload ikke tilladt sammen med afstemninger.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Beskriv for svagtseende", "upload_form.description": "Beskriv for svagtseende",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Sæt på pause", "video.pause": "Sæt på pause",
"video.play": "Afspil", "video.play": "Afspil",
"video.unmute": "Fjern dæmpningen af lyd", "video.unmute": "Fjern dæmpningen af lyd",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Alles von {domain} verstecken", "account.block_domain": "Alles von {domain} verstecken",
"account.blocked": "Blockiert", "account.blocked": "Blockiert",
"account.chat": "Mit @{name} chatten", "account.chat": "Mit @{name} chatten",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Einstellung für die Zeitleiste dieses Accounts",
"account.deactivated": "Deaktiviert", "account.deactivated": "Deaktiviert",
"account.direct": "Direktnachricht an @{name}", "account.direct": "Direktnachricht an @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Profil bearbeiten", "account.edit_profile": "Profil bearbeiten",
"account.endorse": "Auf Profil hervorheben", "account.endorse": "Auf Profil hervorheben",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Folgen", "account.follow": "Folgen",
"account.followers": "Follower", "account.followers": "Follower",
"account.followers.empty": "Diesem Profil folgt noch niemand.", "account.followers.empty": "Diesem Profil folgt noch niemand.",
"account.follows": "Folgt", "account.follows": "Folgt",
"account.follows.empty": "Dieses Profil folgt noch niemandem.", "account.follows.empty": "Dieses Profil folgt noch niemandem.",
"account.follows_you": "Folgt dir", "account.follows_you": "Folgt dir",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Geteilte Beiträge von @{name} verbergen", "account.hide_reblogs": "Geteilte Beiträge von @{name} verbergen",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Besitz dieses Links wurde geprüft am {date}", "account.link_verified_on": "Besitz dieses Links wurde geprüft am {date}",
@ -30,36 +34,56 @@
"account.media": "Medien", "account.media": "Medien",
"account.member_since": "Mitglied seit {date}", "account.member_since": "Mitglied seit {date}",
"account.mention": "erwähnen", "account.mention": "erwähnen",
"account.moved_to": "{name} ist umgezogen auf:",
"account.mute": "@{name} stummschalten", "account.mute": "@{name} stummschalten",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Beiträge", "account.posts": "Beiträge",
"account.posts_with_replies": "Beiträge und Antworten", "account.posts_with_replies": "Beiträge und Antworten",
"account.profile": "Profil", "account.profile": "Profil",
"account.profile_external": "View profile on {domain}",
"account.register": "Registrieren", "account.register": "Registrieren",
"account.remote_follow": "Von anderer Instanz folgen", "account.remote_follow": "Von anderer Instanz folgen",
"account.remove_from_followers": "Remove this follower",
"account.report": "@{name} melden", "account.report": "@{name} melden",
"account.requested": "Warte auf Bestätigung. Klicke zum Abbrechen", "account.requested": "Warte auf Bestätigung. Klicke zum Abbrechen",
"account.requested_small": "Warte auf Bestätigung", "account.requested_small": "Warte auf Bestätigung",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Profil von @{name} teilen", "account.share": "Profil von @{name} teilen",
"account.show_reblogs": "Von @{name} geteilte Beiträge anzeigen", "account.show_reblogs": "Von @{name} geteilte Beiträge anzeigen",
"account.subscribe": "Benachrichtigungen von @{name} abonnieren", "account.subscribe": "Benachrichtigungen von @{name} abonnieren",
"account.subscribed": "Abonniert", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "@{name} entblocken", "account.unblock": "@{name} entblocken",
"account.unblock_domain": "{domain} wieder anzeigen", "account.unblock_domain": "{domain} wieder anzeigen",
"account.unendorse": "Nicht auf Profil hervorheben", "account.unendorse": "Nicht auf Profil hervorheben",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Entfolgen", "account.unfollow": "Entfolgen",
"account.unmute": "@{name} nicht mehr stummschalten", "account.unmute": "@{name} nicht mehr stummschalten",
"account.unsubscribe": "Benachrichtigungen von @{name} entabonnieren", "account.unsubscribe": "Benachrichtigungen von @{name} entabonnieren",
"account.unsubscribe.failure": "An error occurred trying to unsubscribe to this account.",
"account.unsubscribe.success": "You have unsubscribed from this account.",
"account.verified": "Verifizierter Account", "account.verified": "Verifizierter Account",
"account.welcome": "Willkommen",
"account_gallery.none": "Keine Medien vorhanden.", "account_gallery.none": "Keine Medien vorhanden.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "account_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):",
"account_note.placeholder": "Kein Kommentar hinterlegt", "account_note.placeholder": "Kein Kommentar hinterlegt",
"account_note.save": "Speichern", "account_note.save": "Speichern",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Nach einem Account suchen", "account_search.placeholder": "Nach einem Account suchen",
"account_timeline.column_settings.show_pinned": "Angeheftete Beiträge anzeigen", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} bestätigt.", "admin.awaiting_approval.approved_message": "{acct} bestätigt.",
"admin.awaiting_approval.empty_message": "Keine neuen Nutzer zur Prüfung und Bestätigung vorhanden. Wenn sich ein neuer Nutzer anmeldet, kann er hier überprüft werden.", "admin.awaiting_approval.empty_message": "Keine neuen Nutzer zur Prüfung und Bestätigung vorhanden. Wenn sich ein neuer Nutzer anmeldet, kann er hier überprüft werden.",
"admin.awaiting_approval.rejected_message": "{acct} abgelehnt.", "admin.awaiting_approval.rejected_message": "{acct} abgelehnt.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Nutzer suchen", "admin.user_index.search_input_placeholder": "Nutzer suchen",
"admin.users.actions.deactivate_user": "@{name} deaktivieren", "admin.users.actions.deactivate_user": "@{name} deaktivieren",
"admin.users.actions.delete_user": "@{name} löschen", "admin.users.actions.delete_user": "@{name} löschen",
"admin.users.actions.demote_to_moderator": "@{name} zum Moderator herabstufen",
"admin.users.actions.demote_to_moderator_message": "@{acct} zum Moderator herabgestuft", "admin.users.actions.demote_to_moderator_message": "@{acct} zum Moderator herabgestuft",
"admin.users.actions.demote_to_user": "@{name} zum einfachen Nutzer herabstufen",
"admin.users.actions.demote_to_user_message": "@{acct} zum einfachen Nutzer herabgestuft", "admin.users.actions.demote_to_user_message": "@{acct} zum einfachen Nutzer herabgestuft",
"admin.users.actions.promote_to_admin": "@{name} zum Adminstrator ernennen",
"admin.users.actions.promote_to_admin_message": "@{acct} ist nun Adminstrator.", "admin.users.actions.promote_to_admin_message": "@{acct} ist nun Adminstrator.",
"admin.users.actions.promote_to_moderator": "@{name} zum Moderator ernennen",
"admin.users.actions.promote_to_moderator_message": "@{acct} ist nun Moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} ist nun Moderator",
"admin.users.actions.remove_donor": "@{name} aus der Liste der Unterstützer:innen entfernen", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "@{name} als Unterstützer:in festlegen",
"admin.users.actions.suggest_user": "@{name} vorschlagen",
"admin.users.actions.unsuggest_user": "Vorschlag von @{name} zurücknehmen",
"admin.users.actions.unverify_user": "Verifizierung von @{name} aufheben",
"admin.users.actions.verify_user": "Verifizierung von @{name} bestätigen",
"admin.users.remove_donor_message": "@{acct} wurde als Unterstützer:in entfernt", "admin.users.remove_donor_message": "@{acct} wurde als Unterstützer:in entfernt",
"admin.users.set_donor_message": "@{acct} wurde als Unterstützer:in festgelegt", "admin.users.set_donor_message": "@{acct} wurde als Unterstützer:in festgelegt",
"admin.users.user_deactivated_message": "@{acct} wurde deaktiviert", "admin.users.user_deactivated_message": "@{acct} wurde deaktiviert",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Wartet auf Bestätigung", "admin_nav.awaiting_approval": "Wartet auf Bestätigung",
"admin_nav.dashboard": "Steuerung", "admin_nav.dashboard": "Steuerung",
"admin_nav.reports": "Beschwerden", "admin_nav.reports": "Beschwerden",
"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",
"alert.unexpected.body": "Verzeihe die Unannnehmlichkeiten. Wende dich an den Support, wenn das Problem über längere Zeit besteht. Möglicherweise hilft es, {clearCookies}. Hierdurch wirst du abgemeldet.", "alert.unexpected.body": "Verzeihe die Unannnehmlichkeiten. Wende dich an den Support, wenn das Problem über längere Zeit besteht. Möglicherweise hilft es, {clearCookies}. Hierdurch wirst du abgemeldet.",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "Cookies und Browserdaten löschen", "alert.unexpected.clear_cookies": "Cookies und Browserdaten löschen",
@ -136,6 +154,7 @@
"aliases.search": "Nach altem Account suchen", "aliases.search": "Nach altem Account suchen",
"aliases.success.add": "Alias erfolgreich erstellt.", "aliases.success.add": "Alias erfolgreich erstellt.",
"aliases.success.remove": "Alias erfolgreich entfernt", "aliases.success.remove": "Alias erfolgreich entfernt",
"announcements.title": "Announcements",
"app_create.name_label": "Name der App", "app_create.name_label": "Name der App",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Webseite", "app_create.website_label": "Webseite",
"auth.invalid_credentials": "Falsches Passwort oder falscher Nutzername", "auth.invalid_credentials": "Falsches Passwort oder falscher Nutzername",
"auth.logged_out": "Abgemeldet.", "auth.logged_out": "Abgemeldet.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Backup erstellen", "backups.actions.create": "Backup erstellen",
"backups.empty_message": "Kein Backup gefunden. {action}", "backups.empty_message": "Kein Backup gefunden. {action}",
"backups.empty_message.action": "Backup jetzt erstellen?", "backups.empty_message.action": "Backup jetzt erstellen?",
"backups.pending": "Anstehende Backups", "backups.pending": "Anstehende Backups",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Geburtstage", "birthday_panel.title": "Geburtstage",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Drücke {combo}, um dieses Fenster zu überspringen", "boost_modal.combo": "Drücke {combo}, um dieses Fenster zu überspringen",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Beim Laden ist ein Fehler aufgetreten.", "bundle_column_error.body": "Beim Laden ist ein Fehler aufgetreten.",
"bundle_column_error.retry": "Erneut versuchen", "bundle_column_error.retry": "Erneut versuchen",
"bundle_column_error.title": "Netzwerkfehler", "bundle_column_error.title": "Netzwerkfehler",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Nachricht 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.empty": "Keine Chats vorhanden. Besuche ein Nutzerprofil, um einen Chat zu starten.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Nachricht löschen", "chats.actions.delete": "Nachricht löschen",
"chats.actions.more": "Mehr", "chats.actions.more": "Mehr",
"chats.actions.report": "Nutzer melden", "chats.actions.report": "Nutzer melden",
@ -198,11 +221,13 @@
"column.community": "Lokale Zeitleiste", "column.community": "Lokale Zeitleiste",
"column.crypto_donate": "Mit Kryptowährungen spenden", "column.crypto_donate": "Mit Kryptowährungen spenden",
"column.developers": "Entwickler", "column.developers": "Entwickler",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direktnachrichten", "column.direct": "Direktnachrichten",
"column.directory": "Profile entdecken", "column.directory": "Profile entdecken",
"column.domain_blocks": "Versteckte Domains", "column.domain_blocks": "Versteckte Domains",
"column.edit_profile": "Profil bearbeiten", "column.edit_profile": "Profil bearbeiten",
"column.export_data": "Daten exportieren", "column.export_data": "Daten exportieren",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Favorisierte Beiträge", "column.favourited_statuses": "Favorisierte Beiträge",
"column.favourites": "Favorisierungen", "column.favourites": "Favorisierungen",
"column.federation_restrictions": "Beschränkungen der Föderierung", "column.federation_restrictions": "Beschränkungen der Föderierung",
@ -227,7 +252,6 @@
"column.follow_requests": "Follower-Anfragen", "column.follow_requests": "Follower-Anfragen",
"column.followers": "Follower", "column.followers": "Follower",
"column.following": "Gefolgte", "column.following": "Gefolgte",
"column.groups": "Gruppen",
"column.home": "Startseite", "column.home": "Startseite",
"column.import_data": "Daten importieren", "column.import_data": "Daten importieren",
"column.info": "Serverinformation", "column.info": "Serverinformation",
@ -249,18 +273,17 @@
"column.remote": "Föderierte Timeline", "column.remote": "Föderierte Timeline",
"column.scheduled_statuses": "Vorbereitete Beiträge", "column.scheduled_statuses": "Vorbereitete Beiträge",
"column.search": "Suche", "column.search": "Suche",
"column.security": "Sicherheitseinstellungen",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox Einstellungen", "column.soapbox_config": "Soapbox Einstellungen",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Zurück", "column_back_button.label": "Zurück",
"column_forbidden.body": "Zugriff nicht erlaubt", "column_forbidden.body": "Zugriff nicht erlaubt",
"column_forbidden.title": "Zugriffsbeschränkung", "column_forbidden.title": "Zugriffsbeschränkung",
"column_header.show_settings": "Einstellungen anzeigen",
"common.cancel": "Abbrechen", "common.cancel": "Abbrechen",
"community.column_settings.media_only": "Nur Medien", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Einstellungen für die lokale Zeitleiste", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "{chars} von {maxChars} Zeichen verwendet", "compose.character_counter.title": "{chars} von {maxChars} Zeichen verwendet",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "Der gewählte Zeitpunkt für vorbereitete Beiträge muss mindesten 5 Minuten in der Zukunft liegen.", "compose.invalid_schedule": "Der gewählte Zeitpunkt für vorbereitete Beiträge muss mindesten 5 Minuten in der Zukunft liegen.",
"compose.submit_success": "Beitrag gesendet", "compose.submit_success": "Beitrag gesendet",
"compose_form.direct_message_warning": "Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.", "compose_form.direct_message_warning": "Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Was gibt's Neues?", "compose_form.placeholder": "Was gibt's Neues?",
"compose_form.poll.add_option": "Eine Antwortmöglichkeit hinzufügen", "compose_form.poll.add_option": "Eine Antwortmöglichkeit hinzufügen",
"compose_form.poll.duration": "Umfragedauer", "compose_form.poll.duration": "Umfragedauer",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Antwortmöglichkeit {number}", "compose_form.poll.option_placeholder": "Antwortmöglichkeit {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Antwortmöglichkeit entfernen", "compose_form.poll.remove_option": "Antwortmöglichkeit entfernen",
"compose_form.poll.switch_to_multiple": "Mehrere Antworten erlauben", "compose_form.poll.switch_to_multiple": "Mehrere Antworten erlauben",
"compose_form.poll.switch_to_single": "Nur eine Antwort erlauben", "compose_form.poll.switch_to_single": "Nur eine Antwort erlauben",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Senden", "compose_form.publish": "Senden",
"compose_form.publish_loud": "{publish}", "compose_form.publish_loud": "{publish}",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Beitrag bestätigen", "compose_form.schedule": "Beitrag bestätigen",
"compose_form.scheduled_statuses.click_here": "Hier klicken", "compose_form.scheduled_statuses.click_here": "Hier klicken",
"compose_form.scheduled_statuses.message": "Anzeigen der vorbereiteten Beiträge", "compose_form.scheduled_statuses.message": "Anzeigen der vorbereiteten Beiträge",
"compose_form.sensitive.hide": "Medien als heikel markieren",
"compose_form.sensitive.marked": "Medien sind als heikel markiert",
"compose_form.sensitive.unmarked": "Medien sind nicht als heikel markiert",
"compose_form.spoiler.marked": "Text ist hinter einer Warnung versteckt", "compose_form.spoiler.marked": "Text ist hinter einer Warnung versteckt",
"compose_form.spoiler.unmarked": "Text ist nicht versteckt", "compose_form.spoiler.unmarked": "Text ist nicht versteckt",
"compose_form.spoiler_placeholder": "Inhaltswarnung", "compose_form.spoiler_placeholder": "Inhaltswarnung",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Bearbeiten", "confirmation_modal.cancel": "Bearbeiten",
"confirmations.admin.deactivate_user.confirm": "@{name} deaktivieren", "confirmations.admin.deactivate_user.confirm": "@{name} deaktivieren",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blockieren", "confirmations.block.confirm": "Blockieren",
"confirmations.block.heading": "Blockiere @{name}", "confirmations.block.heading": "Blockiere @{name}",
"confirmations.block.message": "Bist du dir sicher, dass du {name} blockieren möchtest?", "confirmations.block.message": "Bist du dir sicher, dass du {name} blockieren möchtest?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Entwurf löschen", "confirmations.delete.confirm": "Entwurf löschen",
"confirmations.delete.heading": "Beitrag löschen", "confirmations.delete.heading": "Beitrag löschen",
"confirmations.delete.message": "Bist du dir sicher, dass du diesen Beitrag löschen möchtest?", "confirmations.delete.message": "Bist du dir sicher, dass du diesen Beitrag löschen möchtest?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Bestätigung erforderlich", "confirmations.register.needs_approval.header": "Bestätigung erforderlich",
"confirmations.register.needs_confirmation": "Im nächsten Schritt muss die angegebene Emailadresse bestätigt werden. Informationen zum weiteren Vorgehen wurden an die Adresse {email} geschickt.", "confirmations.register.needs_confirmation": "Im nächsten Schritt muss die angegebene Emailadresse bestätigt werden. Informationen zum weiteren Vorgehen wurden an die Adresse {email} geschickt.",
"confirmations.register.needs_confirmation.header": "Bestätigung erforderlich", "confirmations.register.needs_confirmation.header": "Bestätigung erforderlich",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Antworten", "confirmations.reply.confirm": "Antworten",
"confirmations.reply.message": "Wenn du jetzt antwortest, wird die gesamte Nachricht verworfen, die du gerade schreibst. Möchtest du wirklich fortfahren?", "confirmations.reply.message": "Wenn du jetzt antwortest, wird die gesamte Nachricht verworfen, die du gerade schreibst. Möchtest du wirklich fortfahren?",
"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.scheduled_status_delete.confirm": "Bearbeiten", "confirmations.scheduled_status_delete.confirm": "Bearbeiten",
"confirmations.scheduled_status_delete.heading": "Vorbereiteten Beitrag verwerfen", "confirmations.scheduled_status_delete.heading": "Vorbereiteten Beitrag verwerfen",
"confirmations.scheduled_status_delete.message": "Den vorbereiteten Beitrag wirklich verwerfen?", "confirmations.scheduled_status_delete.message": "Den vorbereiteten Beitrag wirklich verwerfen?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Kryptowährungen spenden", "crypto_donate_panel.heading": "Kryptowährungen spenden",
"crypto_donate_panel.intro.message": "{siteTitle} akzeptiert Kryptowährungen, um dieses Angebot zu finanzieren. Danke für deine Unterstützung!", "crypto_donate_panel.intro.message": "{siteTitle} akzeptiert Kryptowährungen, um dieses Angebot zu finanzieren. Danke für deine Unterstützung!",
"datepicker.day": "Day",
"datepicker.hint": "Beitrag veröffentlichen am…", "datepicker.hint": "Beitrag veröffentlichen am…",
"datepicker.month": "Month",
"datepicker.next_month": "Nächster Monat", "datepicker.next_month": "Nächster Monat",
"datepicker.next_year": "Nächstes Jahr", "datepicker.next_year": "Nächstes Jahr",
"datepicker.previous_month": "Vorheriger Monat", "datepicker.previous_month": "Vorheriger Monat",
"datepicker.previous_year": "Vorheriges Jahr", "datepicker.previous_year": "Vorheriges Jahr",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Antworten", "developers.challenge.answer_label": "Antworten",
"developers.challenge.answer_placeholder": "Deine Antwort", "developers.challenge.answer_placeholder": "Deine Antwort",
"developers.challenge.fail": "Falsche Antwort", "developers.challenge.fail": "Falsche Antwort",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Netzwerkfehler", "developers.navigation.network_error_label": "Netzwerkfehler",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "developers.navigation.test_timeline_label": "Test timeline",
"developers.settings_store.advanced": "Advanced settings",
"developers.settings_store.hint": "Hier können die Benutzereinstellungen direkt bearbeitet werden. VORSICHT! Die Bearbeitung dieses Abschnitts kann das Konto zerstören - eine Wiederherstellung ist ausschließlich per API möglich", "developers.settings_store.hint": "Hier können die Benutzereinstellungen direkt bearbeitet werden. VORSICHT! Die Bearbeitung dieses Abschnitts kann das Konto zerstören - eine Wiederherstellung ist ausschließlich per API möglich",
"direct.search_placeholder": "Nachricht senden an…", "direct.search_placeholder": "Nachricht senden an…",
"directory.federated": "Aus dem Fediverse", "directory.federated": "Aus dem Fediverse",
"directory.local": "Ausschließlich von {domain}", "directory.local": "Ausschließlich von {domain}",
"directory.new_arrivals": "Neuankömmlinge", "directory.new_arrivals": "Neuankömmlinge",
"directory.recently_active": "Zuletzt aktiv", "directory.recently_active": "Zuletzt aktiv",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Beitrag nur für Follower anzeigen", "edit_federation.followers_only": "Beitrag nur für Follower anzeigen",
"edit_federation.force_nsfw": "Markierung aller Anhänge als heikel erzwingen", "edit_federation.force_nsfw": "Markierung aller Anhänge als heikel erzwingen",
"edit_federation.media_removal": "Alle Medien entfernen", "edit_federation.media_removal": "Alle Medien entfernen",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Profil auf privat stellen", "edit_profile.fields.locked_label": "Profil auf privat stellen",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Benachrichtigungen von Fremden blockieren", "edit_profile.fields.stranger_notifications_label": "Benachrichtigungen von Fremden blockieren",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Link anzeigen", "edit_profile.fields.website_placeholder": "Link anzeigen",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "Erlaubte Formate sind PNG, GIF oder JPG. Die Datei darf nicht größer als 2 MB sein. Das Bild wird automatisch auf 1500x500px verkleinert.", "edit_profile.hints.header": "Erlaubte Formate sind PNG, GIF oder JPG. Die Datei darf nicht größer als 2 MB sein. Das Bild wird automatisch auf 1500x500px verkleinert.",
"edit_profile.hints.hide_network": "Deine Follower und wem du folgst wird nicht in deinem Profil angezeit.", "edit_profile.hints.hide_network": "Deine Follower und wem du folgst wird nicht in deinem Profil angezeit.",
"edit_profile.hints.locked": "Follower müssen einzeln bestätigt werden.", "edit_profile.hints.locked": "Follower müssen einzeln bestätigt werden.",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Nur Benachrichtigungen von Nutzern anzeigen, denen du folgst.", "edit_profile.hints.stranger_notifications": "Nur Benachrichtigungen von Nutzern anzeigen, denen du folgst.",
"edit_profile.save": "Speichern", "edit_profile.save": "Speichern",
"edit_profile.success": "Profil gespeichert", "edit_profile.success": "Profil gespeichert",
"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.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.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.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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Etwas ging schief", "email_passthru.generic_fail.heading": "Etwas ging schief",
"email_passthru.success": "Your email has been verified!",
"email_passthru.token_expired.body": "Die Bestätigungsnachricht ist abgelaufen. Bitte eine neue Bestätigung von {bold} beantragen, von wo du diese Nachricht erhalten hast.", "email_passthru.token_expired.body": "Die Bestätigungsnachricht ist abgelaufen. Bitte eine neue Bestätigung von {bold} beantragen, von wo du diese Nachricht erhalten hast.",
"email_passthru.token_expired.heading": "Token abgelaufen", "email_passthru.token_expired.heading": "Token abgelaufen",
"email_passthru.token_not_found.body": "Bestätigungstoken nicht erkannt. Bitte beantrage ein neues Token von {bold} wo du diese Nachricht her hast.", "email_passthru.token_not_found.body": "Bestätigungstoken nicht erkannt. Bitte beantrage ein neues Token von {bold} wo du diese Nachricht her hast.",
"email_passthru.token_not_found.heading": "Ungültiges Token", "email_passthru.token_not_found.heading": "Ungültiges Token",
"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.",
"embed.instructions": "Du kannst diesen Beitrag auf deiner Webseite einbetten, indem du den folgenden Code einfügst.", "embed.instructions": "Du kannst diesen Beitrag auf deiner Webseite einbetten, indem du den folgenden Code einfügst.",
"embed.preview": "Vorschau:",
"emoji_button.activity": "Aktivitäten", "emoji_button.activity": "Aktivitäten",
"emoji_button.custom": "Eigene", "emoji_button.custom": "Eigene",
"emoji_button.flags": "Flaggen", "emoji_button.flags": "Flaggen",
@ -448,20 +503,23 @@
"empty_column.filters": "Du hast keine Wörter stummgeschaltet.", "empty_column.filters": "Du hast keine Wörter stummgeschaltet.",
"empty_column.follow_recommendations": "Sieht so aus, als gibt es gerade keine Vorschläge für dich. Versuche, über die Suche bekannte Personen zu finden oder schaue dich in aktuellen Hashtags um.", "empty_column.follow_recommendations": "Sieht so aus, als gibt es gerade keine Vorschläge für dich. Versuche, über die Suche bekannte Personen zu finden oder schaue dich in aktuellen Hashtags um.",
"empty_column.follow_requests": "Du hast noch keine Folgeanfragen. Sobald du eine erhältst, wird sie hier angezeigt.", "empty_column.follow_requests": "Du hast noch keine Folgeanfragen. Sobald du eine erhältst, wird sie hier angezeigt.",
"empty_column.group": "Diese Gruppe hat noch keine Beiträge. Sobald ein Gruppenmitglied einen Beitrag erstellt, wird er hier angezeigt.",
"empty_column.hashtag": "Unter diesem Hashtag gibt es noch nichts.", "empty_column.hashtag": "Unter diesem Hashtag gibt es noch nichts.",
"empty_column.home": "Deine Startseite ist leer! Besuche {public} oder nutze die Suche, um andere Nutzer zu finden.", "empty_column.home": "Deine Startseite ist leer! Besuche {public} oder nutze die Suche, um andere Nutzer zu finden.",
"empty_column.home.local_tab": "den Reiter {site_title}", "empty_column.home.local_tab": "den Reiter {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.list": "Diese Liste ist derzeit leer. Wenn jemand auf dieser Liste neue Beiträge veröffentlichen werden sie hier erscheinen.", "empty_column.list": "Diese Liste ist derzeit leer. Wenn jemand auf dieser Liste neue Beiträge veröffentlichen werden sie hier erscheinen.",
"empty_column.lists": "Du hast noch keine Listen. Wenn du eine anlegst, wird sie hier angezeigt.", "empty_column.lists": "Du hast noch keine Listen. Wenn du eine anlegst, wird sie hier angezeigt.",
"empty_column.mutes": "Du hast keine Profile stummgeschaltet.", "empty_column.mutes": "Du hast keine Profile stummgeschaltet.",
"empty_column.notifications": "Du hast noch keine Mitteilungen. Interagiere mit anderen, um ins Gespräch zu kommen.", "empty_column.notifications": "Du hast noch keine Mitteilungen. Interagiere mit anderen, um ins Gespräch zu kommen.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Hier ist nichts zu sehen! Schreibe etwas öffentlich oder folge Profilen von anderen Servern, um die Zeitleiste aufzufüllen", "empty_column.public": "Hier ist nichts zu sehen! Schreibe etwas öffentlich oder folge Profilen von anderen Servern, um die Zeitleiste aufzufüllen",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "Bisher wurden keine vorbereiteten Beiträge erstellt. Vorbereitete Beiträge werden hier angezeigt.", "empty_column.scheduled_statuses": "Bisher wurden keine vorbereiteten Beiträge erstellt. Vorbereitete Beiträge werden hier angezeigt.",
"empty_column.search.accounts": "Es wurden keine Nutzer unter \"{term}\" gefunden", "empty_column.search.accounts": "Es wurden keine Nutzer unter \"{term}\" gefunden",
"empty_column.search.hashtags": "Es wurden keine Hashtags unter \"{term}\" gefunden", "empty_column.search.hashtags": "Es wurden keine Hashtags unter \"{term}\" gefunden",
"empty_column.search.statuses": "Es wurden keine Posts unter \"{term}\" gefunden", "empty_column.search.statuses": "Es wurden keine Posts unter \"{term}\" gefunden",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Exportieren", "export_data.actions.export": "Exportieren",
"export_data.actions.export_blocks": "Liste geblockter Nutzer expotieren", "export_data.actions.export_blocks": "Liste geblockter Nutzer expotieren",
"export_data.actions.export_follows": "Liste der Nutzer, denen du folgst, exportieren", "export_data.actions.export_follows": "Liste der Nutzer, denen du folgst, exportieren",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Nicht mehr anzeigen", "fediverse_tab.explanation_box.dismiss": "Nicht mehr anzeigen",
"fediverse_tab.explanation_box.explanation": "{site_title} ist Teil des Fediverse, einem Sozialen Netzwerk, das aus tausenden unabhängigen Instanzen (aka \"Servern\") besteht. Die Beiträge, die du hier siehst, stammen überwiegend von anderen Servern. Du kannst auf alle Einträge reagieren oder jeden Server blockieren, der dir nicht gefällt. Die Bezeichnung hinter dem zweiten @-Symbol ist der Name des entsprechenden Servers. Um nur Beiträge von {site_title} zu sehen, wähle {local} aus.", "fediverse_tab.explanation_box.explanation": "{site_title} ist Teil des Fediverse, einem Sozialen Netzwerk, das aus tausenden unabhängigen Instanzen (aka \"Servern\") besteht. Die Beiträge, die du hier siehst, stammen überwiegend von anderen Servern. Du kannst auf alle Einträge reagieren oder jeden Server blockieren, der dir nicht gefällt. Die Bezeichnung hinter dem zweiten @-Symbol ist der Name des entsprechenden Servers. Um nur Beiträge von {site_title} zu sehen, wähle {local} aus.",
"fediverse_tab.explanation_box.title": "Was ist das Fediverse?", "fediverse_tab.explanation_box.title": "Was ist das Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter hinzugefügt.", "filters.added": "Filter hinzugefügt.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Stichwort oder Wortfolge:", "filters.filters_list_phrase_label": "Stichwort oder Wortfolge:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter gelöscht.", "filters.removed": "Filter gelöscht.",
"follow_recommendation.subhead": "Lass uns anfangen!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Fertig",
"follow_recommendations.heading": "Folge Nutzern, deren Beiträge du sehen möchtest. Hier sind einige Vorschläge:",
"follow_recommendations.lead": "Posts von Usern, denen du folgst, werden in deinem Home-Feed in chronologischer Reihenfolge angezeigt. Los geht's - du kannst anderen später jederzeit wieder entfolgen.",
"follow_request.authorize": "Bestätigen", "follow_request.authorize": "Bestätigen",
"follow_request.reject": "Ablehnen", "follow_request.reject": "Ablehnen",
"forms.copy": "Kopieren", "gdpr.accept": "Accept",
"forms.hide_password": "Passwort nicht anzeigen", "gdpr.learn_more": "Learn more",
"forms.show_password": "Passwort anzeigen", "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} ist quelloffene Software. Du kannst auf GitLab unter {code_link} (v{code_version}) mitarbeiten oder Probleme melden.", "getting_started.open_source_notice": "{code_name} ist quelloffene Software. Du kannst auf GitLab unter {code_link} (v{code_version}) mitarbeiten oder Probleme melden.",
"group.detail.archived_group": "Archived group",
"group.members.empty": "Diese Gruppe hat noch keine Mitglieder.",
"group.removed_accounts.empty": "Niemand wurde aus dieser Gruppe entfernt.",
"groups.card.join": "Beitreten",
"groups.card.members": "Mitglieder",
"groups.card.roles.admin": "Administrator dieser Gruppe",
"groups.card.roles.member": "Mitglied dieser Gruppe",
"groups.card.view": "Ansehen",
"groups.create": "Gruppe erstellen",
"groups.detail.role_admin": "Du bist ein Administrator",
"groups.edit": "Bearbeiten",
"groups.form.coverImage": "Neues Titelbild hochladen (optional)",
"groups.form.coverImageChange": "Titelbild ausgewählt",
"groups.form.create": "Gruppe erstellen",
"groups.form.description": "Gruppenbeschreibung",
"groups.form.title": "Gruppentitel",
"groups.form.update": "Update group",
"groups.join": "Gruppe beitreten",
"groups.leave": "Gruppe verlassen",
"groups.removed_accounts": "Entfernte Accounts",
"groups.sidebar-panel.item.no_recent_activity": "Keine kürzliche Aktivität",
"groups.sidebar-panel.item.view": "Neue Beiträge",
"groups.sidebar-panel.show_all": "Alle anzeigen",
"groups.sidebar-panel.title": "Gruppenmitgliedschaften",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Mitglied",
"hashtag.column_header.tag_mode.all": "und {additional}", "hashtag.column_header.tag_mode.all": "und {additional}",
"hashtag.column_header.tag_mode.any": "oder {additional}", "hashtag.column_header.tag_mode.any": "oder {additional}",
"hashtag.column_header.tag_mode.none": "ohne {additional}", "hashtag.column_header.tag_mode.none": "ohne {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Anmelden", "header.login.label": "Anmelden",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email oder Nutzername", "header.login.username.placeholder": "Email oder Nutzername",
"header.menu.title": "Open menu",
"header.register.label": "Registrieren", "header.register.label": "Registrieren",
"home.column_settings.show_direct": "Direktnachricht anzeigen",
"home.column_settings.show_reblogs": "Geteilte Beiträge anzeigen", "home.column_settings.show_reblogs": "Geteilte Beiträge anzeigen",
"home.column_settings.show_replies": "Antworten anzeigen", "home.column_settings.show_replies": "Antworten anzeigen",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Icons auswählen", "icon_button.label": "Icons auswählen",
"icon_button.not_found": "Keine Icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "Keine Icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blockliste erfolgreich importiert", "import_data.success.blocks": "Blockliste erfolgreich importiert",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Liste mit stummgeschalteten Nutzern erfolgreich importiert", "import_data.success.mutes": "Liste mit stummgeschalteten Nutzern erfolgreich importiert",
"input.copy": "Copy",
"input.password.hide_password": "Passwort verbergen", "input.password.hide_password": "Passwort verbergen",
"input.password.show_password": "Passwort anzeigen", "input.password.show_password": "Passwort anzeigen",
"intervals.full.days": "{number, plural, one {# Tag} other {# Tage}}", "intervals.full.days": "{number, plural, one {# Tag} other {# Tage}}",
"intervals.full.hours": "{number, plural, one {# Stunde} other {# Stunden}}", "intervals.full.hours": "{number, plural, one {# Stunde} other {# Stunden}}",
"intervals.full.minutes": "{number, plural, one {# Minute} other {# Minuten}}", "intervals.full.minutes": "{number, plural, one {# Minute} other {# Minuten}}",
"introduction.federation.action": "Weiter",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts von Konten, denen du folgst, werden in deinem Home-Feed erscheinen. Du kannst jedem auf deiner Instanz folgen!!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorisieren",
"introduction.interactions.favourite.text": "Du kannst einen Beitrag für später speichern und den Autor wissen lassen, dass er Ihnen gefallen hat, indem du ihm ein Like hinterlässt.",
"introduction.interactions.reblog.headline": "Teilen",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Antworten",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "Erste Schritte",
"introduction.welcome.text": "Willkommen im Fediverse! Gleich kannst du Nachrichten in die Welt verschicken oder mit deinen Freunden teilen. Wichtig: Dein Konto existiert ausschließlich auf der Instanz {domain}. Notiere dir daher neben deinem Nutzernamen (Handle) auch den Namen deiner Instanz.",
"keyboard_shortcuts.back": "zurück navigieren", "keyboard_shortcuts.back": "zurück navigieren",
"keyboard_shortcuts.blocked": "Liste blockierter Profile öffnen", "keyboard_shortcuts.blocked": "Liste blockierter Profile öffnen",
"keyboard_shortcuts.boost": "teilen", "keyboard_shortcuts.boost": "teilen",
@ -638,13 +656,18 @@
"login.fields.username_label": "E-Mail oder Nutzername", "login.fields.username_label": "E-Mail oder Nutzername",
"login.log_in": "Anmelden", "login.log_in": "Anmelden",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Probleme beim Anmelden?", "login.reset_password_hint": "Probleme beim Anmelden?",
"login.sign_in": "Anmelden", "login.sign_in": "Anmelden",
"media_gallery.toggle_visible": "Sichtbarkeit umschalten", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "Keine Medien gefunden.", "media_panel.empty_message": "Keine Medien gefunden.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA bestätigt", "mfa.confirm.success_message": "MFA bestätigt",
"mfa.disable.success_message": "MFA abgeschaltet", "mfa.disable.success_message": "MFA abgeschaltet",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Aktuelles Passwort eingäben, um Zwei-Faktoren-Authentifizierung zu deaktivieren:", "mfa.mfa_disable_enter_password": "Aktuelles Passwort eingäben, um Zwei-Faktoren-Authentifizierung zu deaktivieren:",
"mfa.mfa_setup.code_hint": "Bitte den Code aus der 2FA-App eingeben.", "mfa.mfa_setup.code_hint": "Bitte den Code aus der 2FA-App eingeben.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Aktuelles Passwort", "migration.fields.confirm_password.label": "Aktuelles Passwort",
"migration.hint": "Damit werden deine Follower auf dein neues Konto übertragen - weitere Daten werden nicht migriert. Zur Bestätigung ist es nötig, {link} auf deinem neuen Konto zunächst zu bestätigen.", "migration.hint": "Damit werden deine Follower auf dein neues Konto übertragen - weitere Daten werden nicht migriert. Zur Bestätigung ist es nötig, {link} auf deinem neuen Konto zunächst zu bestätigen.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "Neues Alias erstellen", "migration.hint.link": "Neues Alias erstellen",
"migration.move_account.fail": "Account-Übertragung fehlgeschlagen.", "migration.move_account.fail": "Account-Übertragung fehlgeschlagen.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account-Übertragung fehlgeschlagen.", "migration.move_account.success": "Account-Übertragung fehlgeschlagen.",
"migration.submit": "Follower übertragen", "migration.submit": "Follower übertragen",
"missing_description_modal.cancel": "Abbrechen", "missing_description_modal.cancel": "Abbrechen",
@ -671,23 +696,32 @@
"missing_description_modal.text": "Du hast nicht für alle Anhänge Beschreibungen angegeben. Dennoch fortfahren?", "missing_description_modal.text": "Du hast nicht für alle Anhänge Beschreibungen angegeben. Dennoch fortfahren?",
"missing_indicator.label": "Nicht gefunden", "missing_indicator.label": "Nicht gefunden",
"missing_indicator.sublabel": "Der Eintrag konnte nicht gefunden werden", "missing_indicator.sublabel": "Der Eintrag konnte nicht gefunden werden",
"mobile.also_available": "Verfügbar auf:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Benachrichtigungen von diesem Account verbergen?", "mute_modal.hide_notifications": "Benachrichtigungen von diesem Account verbergen?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Verfassen", "navigation.compose": "Verfassen",
"navigation.dashboard": "Steuerung", "navigation.dashboard": "Steuerung",
"navigation.developers": "Entwickler", "navigation.developers": "Entwickler",
"navigation.direct_messages": "Nachrichten", "navigation.direct_messages": "Nachrichten",
"navigation.home": "Start", "navigation.home": "Start",
"navigation.invites": "Einladungen",
"navigation.notifications": "Benachrichtigungen", "navigation.notifications": "Benachrichtigungen",
"navigation.search": "Suche", "navigation.search": "Suche",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Account umziehen", "navigation_bar.account_migration": "Account umziehen",
"navigation_bar.blocks": "Blockierte Profile", "navigation_bar.blocks": "Blockierte Profile",
"navigation_bar.compose": "Neuen Beitrag verfassen", "navigation_bar.compose": "Neuen Beitrag verfassen",
"navigation_bar.compose_direct": "Direktnachrichten", "navigation_bar.compose_direct": "Direktnachrichten",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Beitrag zitieren", "navigation_bar.compose_quote": "Beitrag zitieren",
"navigation_bar.compose_reply": "Auf Beitrag antworten", "navigation_bar.compose_reply": "Auf Beitrag antworten",
"navigation_bar.domain_blocks": "Versteckte Domains", "navigation_bar.domain_blocks": "Versteckte Domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Stummgeschaltete Profile", "navigation_bar.mutes": "Stummgeschaltete Profile",
"navigation_bar.preferences": "Einstellungen", "navigation_bar.preferences": "Einstellungen",
"navigation_bar.profile_directory": "Profilverzeichnis", "navigation_bar.profile_directory": "Profilverzeichnis",
"navigation_bar.security": "Sicherheit",
"navigation_bar.soapbox_config": "Soapbox-Konfiguration", "navigation_bar.soapbox_config": "Soapbox-Konfiguration",
"notification.birthday": "{name} hat Geburtstag!",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} hat dir eine Nachricht gesendet",
"notification.favourite": "{name} hat deinen Beitrag favorisiert", "notification.favourite": "{name} hat deinen Beitrag favorisiert",
"notification.follow": "{name} folgt dir", "notification.follow": "{name} folgt dir",
"notification.follow_request": "{name} möchte dir folgen", "notification.follow_request": "{name} möchte dir folgen",
"notification.mention": "{name} hat dich erwähnt", "notification.mention": "{name} hat dich erwähnt",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} ist nach {targetName} umgezogen", "notification.move": "{name} ist nach {targetName} umgezogen",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} hat dir eine Nachricht gesendet",
"notification.pleroma:emoji_reaction": "{name} hat auf deinen Beitrag reagiert", "notification.pleroma:emoji_reaction": "{name} hat auf deinen Beitrag reagiert",
"notification.poll": "Eine Umfrage, in der du abgestimmt hast, ist vorbei", "notification.poll": "Eine Umfrage, in der du abgestimmt hast, ist vorbei",
"notification.reblog": "{name} hat deinen Beitrag geteilt", "notification.reblog": "{name} hat deinen Beitrag geteilt",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Benachrichtigungen löschen", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Bist du dir sicher, dass du alle Benachrichtigungen löschen möchtest?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Benachrichtigungen löschen",
"notifications.column_settings.alert": "Desktop-Benachrichtigungen",
"notifications.column_settings.birthdays.category": "Geburtstage",
"notifications.column_settings.birthdays.show": "Geburtstagserinnerungen anzeigen",
"notifications.column_settings.emoji_react": "Emoji-Reaktionen:",
"notifications.column_settings.favourite": "Favorisierungen:",
"notifications.column_settings.filter_bar.advanced": "Zeige alle Kategorien an",
"notifications.column_settings.filter_bar.category": "Schnellfilterleiste",
"notifications.column_settings.filter_bar.show": "Anzeigen",
"notifications.column_settings.follow": "Neue Follower:",
"notifications.column_settings.follow_request": "Neue Follower-Anfragen:",
"notifications.column_settings.mention": "Erwähnungen:",
"notifications.column_settings.move": "Umzüge:",
"notifications.column_settings.poll": "Ergebnisse von Umfragen:",
"notifications.column_settings.push": "Push-Benachrichtigungen",
"notifications.column_settings.reblog": "Geteilte Beiträge:",
"notifications.column_settings.show": "In der Spalte anzeigen",
"notifications.column_settings.sound": "Ton abspielen",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Alle", "notifications.filter.all": "Alle",
"notifications.filter.boosts": "Geteilte Beiträge", "notifications.filter.boosts": "Geteilte Beiträge",
"notifications.filter.emoji_reacts": "Emoji-Reaktionen", "notifications.filter.emoji_reacts": "Emoji-Reaktionen",
"notifications.filter.favourites": "Favorisierungen", "notifications.filter.favourites": "Favorisierungen",
"notifications.filter.follows": "Folgt", "notifications.filter.follows": "Folgt",
"notifications.filter.mentions": "Erwähnungen", "notifications.filter.mentions": "Erwähnungen",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Ergebnisse der Umfrage", "notifications.filter.polls": "Ergebnisse der Umfrage",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} Benachrichtigungen", "notifications.group": "{count} Benachrichtigungen",
"notifications.queue_label": "{count, plural, one {Eine neue Benachrichtigung} other {# neue Benachrichtigungen}}. Hier klicken, um sie anzuzeigen.", "notifications.queue_label": "{count, plural, one {Eine neue Benachrichtigung} other {# neue Benachrichtigungen}}. Hier klicken, um sie anzuzeigen.",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Profilbild auswählen", "onboarding.avatar.title": "Profilbild auswählen",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "Du kannst diesen Eintrag später jederzeit bearbeiten.", "onboarding.display_name.subtitle": "Du kannst diesen Eintrag später jederzeit bearbeiten.",
"onboarding.display_name.title": "Wähle deinen angezeigten Namen", "onboarding.display_name.title": "Wähle deinen angezeigten Namen",
"onboarding.done": "Fertig", "onboarding.done": "Fertig",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "Schön, dich bei uns begrüßen zu dürfen! Wenn du jetzt bestätigst, kann unserer Reise beginnen.", "onboarding.finished.message": "Schön, dich bei uns begrüßen zu dürfen! Wenn du jetzt bestätigst, kann unserer Reise beginnen.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "Dies wird in deinen Profilinfos deiner persönlichen Seite zu sehen sein.", "onboarding.header.subtitle": "Dies wird in deinen Profilinfos deiner persönlichen Seite zu sehen sein.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "Timeline anzeigen", "onboarding.view_feed": "Timeline anzeigen",
"password_reset.confirmation": "Überprüfe jetzt deine E-Mails.", "password_reset.confirmation": "Überprüfe jetzt deine E-Mails.",
"password_reset.fields.username_placeholder": "Email oder Nutzername", "password_reset.fields.username_placeholder": "Email oder Nutzername",
"password_reset.header": "Reset Password",
"password_reset.reset": "Passwort zurücksetzen", "password_reset.reset": "Passwort zurücksetzen",
"patron.donate": "Spenden", "patron.donate": "Spenden",
"patron.title": "Spendenziel", "patron.title": "Spendenziel",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "Keine angehefteten Beiträge.", "pinned_statuses.none": "Keine angehefteten Beiträge.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Geschlossen", "poll.closed": "Geschlossen",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Aktualisieren", "poll.refresh": "Aktualisieren",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# Stimme} other {# Stimmen}}", "poll.total_votes": "{count, plural, one {# Stimme} other {# Stimmen}}",
"poll.vote": "Abstimmen", "poll.vote": "Abstimmen",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Eine Umfrage erstellen", "poll_button.add_poll": "Eine Umfrage erstellen",
"poll_button.remove_poll": "Umfrage entfernen", "poll_button.remove_poll": "Umfrage entfernen",
"pre_header.close": "Schließen",
"preferences.fields.auto_play_gif_label": "Animierte GIFs automatisch abspielen", "preferences.fields.auto_play_gif_label": "Animierte GIFs automatisch abspielen",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Weitere Posts automatisch laden, wenn das Ende der Timeline erreicht wurde", "preferences.fields.autoload_more_label": "Weitere Posts automatisch laden, wenn das Ende der Timeline erreicht wurde",
"preferences.fields.autoload_timelines_label": "Neue Posts automatisch laden, wenn das obere Ende der Timeline erreicht wurde", "preferences.fields.autoload_timelines_label": "Neue Posts automatisch laden, wenn das obere Ende der Timeline erreicht wurde",
"preferences.fields.boost_modal_label": "Bestätigungsdialog öffnen, bevor ein Beitrag geboostet wird", "preferences.fields.boost_modal_label": "Bestätigungsdialog öffnen, bevor ein Beitrag geboostet wird",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Bestätigungsdialog öffnen, bevor ein Beitrag gelöscht wird", "preferences.fields.delete_modal_label": "Bestätigungsdialog öffnen, bevor ein Beitrag gelöscht wird",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Als verstörend gekennzeichnete Medien grundsätzlich anzeigen", "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.hide_all": "Medien grundsätzlich ausblenden",
"preferences.fields.display_media.show_all": "Medien grundsätzlich anzeigen", "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.expand_spoilers_label": "Als verstörend gekennzeichnete Posts grundsätzlich ausklappen",
"preferences.fields.language_label": "Sprache", "preferences.fields.language_label": "Sprache",
"preferences.fields.media_display_label": "Bilder & Videos", "preferences.fields.media_display_label": "Bilder & Videos",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Sichtbarkeit des Beitrags anpassen", "privacy.change": "Sichtbarkeit des Beitrags anpassen",
"privacy.direct.long": "Wird nur an erwähnte Profile gesendet", "privacy.direct.long": "Wird nur an erwähnte Profile gesendet",
"privacy.direct.short": "Direktnachricht", "privacy.direct.short": "Direktnachricht",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Nicht gelistet", "privacy.unlisted.short": "Nicht gelistet",
"profile_dropdown.add_account": "Bestehendes Konto hinzufügen", "profile_dropdown.add_account": "Bestehendes Konto hinzufügen",
"profile_dropdown.logout": "Aus @{acct} abmelden", "profile_dropdown.logout": "Aus @{acct} abmelden",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profilfelder", "profile_fields_panel.title": "Profilfelder",
"public.column_settings.title": "Einstellungen der globalen Timeline",
"reactions.all": "Alle", "reactions.all": "Alle",
"regeneration_indicator.label": "Laden…", "regeneration_indicator.label": "Laden…",
"regeneration_indicator.sublabel": "Deine Startseite wird gerade vorbereitet!", "regeneration_indicator.sublabel": "Deine Startseite wird gerade vorbereitet!",
"register_invite.lead": "Fülle folgendes Formular aus, bevor dein Konto erstellt wird.", "register_invite.lead": "Fülle folgendes Formular aus, bevor dein Konto erstellt wird.",
"register_invite.title": "Du wurdest zu {siteTitle} eingeladen!", "register_invite.title": "Du wurdest zu {siteTitle} eingeladen!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "Ich akzeptiere die {tos}.", "registration.agreement": "Ich akzeptiere die {tos}.",
"registration.captcha.hint": "Bild anklicken, um neues Captcha zu erhalten", "registration.captcha.hint": "Bild anklicken, um neues Captcha zu erhalten",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} nimmt keine neuen Mitglieder auf", "registration.closed_message": "{instance} nimmt keine neuen Mitglieder auf",
"registration.closed_title": "Registrierungen geschlossen", "registration.closed_title": "Registrierungen geschlossen",
"registration.confirmation_modal.close": "Schließen", "registration.confirmation_modal.close": "Schließen",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "Passwort", "registration.fields.password_placeholder": "Passwort",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Benutzername", "registration.fields.username_placeholder": "Benutzername",
"registration.header": "Register your account",
"registration.newsletter": "Newsletter abonnieren.", "registration.newsletter": "Newsletter abonnieren.",
"registration.password_mismatch": "Die eingegebenen Passwörter stimmen nicht überein", "registration.password_mismatch": "Die eingegebenen Passwörter stimmen nicht überein",
"registration.privacy": "Privacy Policy",
"registration.reason": "Warum möchtest du ein Teil von uns werden?", "registration.reason": "Warum möchtest du ein Teil von uns werden?",
"registration.reason_hint": "Damit hilfst du uns, über deinen Antrag zu entscheiden", "registration.reason_hint": "Damit hilfst du uns, über deinen Antrag zu entscheiden",
"registration.sign_up": "Registrieren", "registration.sign_up": "Registrieren",
"registration.tos": "Nutzungsbedingungen", "registration.tos": "Nutzungsbedingungen",
"registration.username_unavailable": "Der gewählte Nutzername ist bereits vorhanden.", "registration.username_unavailable": "Der gewählte Nutzername ist bereits vorhanden.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "jetzt", "relative_time.just_now": "jetzt",
@ -861,16 +924,32 @@
"reply_mentions.account.remove": "Aus Erwähnungen entfernen", "reply_mentions.account.remove": "Aus Erwähnungen entfernen",
"reply_mentions.more": "{count, plural, one {einen weiteren Nutzer} other {# weitere Nutzer}}", "reply_mentions.more": "{count, plural, one {einen weiteren Nutzer} other {# weitere Nutzer}}",
"reply_mentions.reply": "<hover>Antwort an</hover> {accounts}", "reply_mentions.reply": "<hover>Antwort an</hover> {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Antwort auf einen Beitrag", "reply_mentions.reply_empty": "Antwort auf einen Beitrag",
"report.block": "{target} blockieren.", "report.block": "{target} blockieren.",
"report.block_hint": "Soll dieses Konto zusammen mit der Meldung auch gleich blockiert werden?", "report.block_hint": "Soll dieses Konto zusammen mit der Meldung auch gleich blockiert werden?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "An {target} weiterleiten", "report.forward": "An {target} weiterleiten",
"report.forward_hint": "Dieses Konto stammt von einem anderen Server. Soll eine anonymisierte Kopie des Berichts auch dorthin geschickt werden?", "report.forward_hint": "Dieses Konto stammt von einem anderen Server. Soll eine anonymisierte Kopie des Berichts auch dorthin geschickt werden?",
"report.hint": "Der Bericht wird an die Moderatoren des Servers geschickt. Du kannst hier eine Erklärung angeben, warum du dieses Konto meldest:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Zusätzliche Kommentare", "report.placeholder": "Zusätzliche Kommentare",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Absenden", "report.submit": "Absenden",
"report.target": "{target} melden", "report.target": "{target} melden",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Neues Passwort festlegen", "reset_password.header": "Neues Passwort festlegen",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Datum/Uhrzeit zum Absenden", "schedule.post_time": "Datum/Uhrzeit zum Absenden",
"schedule.remove": "Ohne Verzögerung absenden", "schedule.remove": "Ohne Verzögerung absenden",
"schedule_button.add_schedule": "Für späteres Absenden planen", "schedule_button.add_schedule": "Für späteres Absenden planen",
@ -879,15 +958,14 @@
"search.action": "Suche nach “{query}”", "search.action": "Suche nach “{query}”",
"search.placeholder": "Suche", "search.placeholder": "Suche",
"search_results.accounts": "Personen", "search_results.accounts": "Personen",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Beiträge", "search_results.statuses": "Beiträge",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Falscher Code oder falsches Passwort. Bitte erneut versuchen.", "security.confirm.fail": "Falscher Code oder falsches Passwort. Bitte erneut versuchen.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Das Konto wurde erfolgreich gelöscht.", "security.delete_account.success": "Das Konto wurde erfolgreich gelöscht.",
"security.disable.fail": "Falsches Passwort. Versuche es erneut.", "security.disable.fail": "Falsches Passwort. Versuche es erneut.",
"security.disable_mfa": "Abschalten",
"security.fields.email.label": "Emailaddresse", "security.fields.email.label": "Emailaddresse",
"security.fields.new_password.label": "Neues Passwort", "security.fields.new_password.label": "Neues Passwort",
"security.fields.old_password.label": "Bisheriges Passwort", "security.fields.old_password.label": "Bisheriges Passwort",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "Neues Passwort (wiederholen)", "security.fields.password_confirmation.label": "Neues Passwort (wiederholen)",
"security.headers.delete": "Konto löschen", "security.headers.delete": "Konto löschen",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Email ändern",
"security.headers.update_password": "Passwort ändern",
"security.mfa": "Zwei-Faktoren-Authentifizierung einstellen",
"security.mfa_enabled": "Du hast die Zwei-Faktoren-Authentifizierung per OTP aktiviert.",
"security.mfa_header": "Authentifizierungsmethoden",
"security.mfa_setup_hint": "OTP-Zwei-Faktoren-Authentifizierung konfigurieren",
"security.qr.fail": "Schlüssel konnte nicht abgerufen werden", "security.qr.fail": "Schlüssel konnte nicht abgerufen werden",
"security.submit": "Änderungen speichern", "security.submit": "Änderungen speichern",
"security.submit.delete": "Konto löschen", "security.submit.delete": "Konto löschen",
"security.text.delete": "Gib dein Passwort ein, um dein Konto zu löschen. Diese Löschung ist dauerhaft und kann nicht rückgängig gemacht werden. Dein Konto wird von diesem Server aus gelöscht und eine Löschungsanfrage wird an andere Server gesendet. Es ist nicht garantiert, dass alle Instanzen dein Konto löschen..", "security.text.delete": "Gib dein Passwort ein, um dein Konto zu löschen. Diese Löschung ist dauerhaft und kann nicht rückgängig gemacht werden. Dein Konto wird von diesem Server aus gelöscht und eine Löschungsanfrage wird an andere Server gesendet. Es ist nicht garantiert, dass alle Instanzen dein Konto löschen..",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Widerrufen", "security.tokens.revoke": "Widerrufen",
"security.update_email.fail": "Änderung der Emailadresse fehlgeschlagen.", "security.update_email.fail": "Änderung der Emailadresse fehlgeschlagen.",
"security.update_email.success": "Die neue Emailadresse wurde gespeichert.", "security.update_email.success": "Die neue Emailadresse wurde gespeichert.",
"security.update_password.fail": "Änderung des Passwortes fehlgeschlagen.", "security.update_password.fail": "Änderung des Passwortes fehlgeschlagen.",
"security.update_password.success": "Das Passwort wurde erfolgreich geändert.", "security.update_password.success": "Das Passwort wurde erfolgreich geändert.",
"settings.account_migration": "Move Account",
"settings.change_email": "E-Mail ändern", "settings.change_email": "E-Mail ändern",
"settings.change_password": "Passwort ändern", "settings.change_password": "Passwort ändern",
"settings.configure_mfa": "MFA konfigurieren", "settings.configure_mfa": "MFA konfigurieren",
"settings.delete_account": "Konto löschen", "settings.delete_account": "Konto löschen",
"settings.edit_profile": "Profil bearbeiten", "settings.edit_profile": "Profil bearbeiten",
"settings.other": "Other options",
"settings.preferences": "Einstellungen", "settings.preferences": "Einstellungen",
"settings.profile": "Profil", "settings.profile": "Profil",
"settings.save.success": "Einstellungen wurden gespeichert!", "settings.save.success": "Einstellungen wurden gespeichert!",
"settings.security": "Sicherheit", "settings.security": "Sicherheit",
"settings.sessions": "Active sessions",
"settings.settings": "Einstellungen", "settings.settings": "Einstellungen",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Jetzt anmelden, um mitzureden.", "signup_panel.subtitle": "Jetzt anmelden, um mitzureden.",
"signup_panel.title": "Neu auf {site_title}?", "signup_panel.title": "Neu auf {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "Anzeigen", "snackbar.view": "Anzeigen",
"soapbox_config.authenticated_profile_hint": "Nur angemeldete Nutzer können Antworten und Medien auf Nutzerprofilen sehen.", "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.authenticated_profile_label": "Profil erfordert Authentifizierung",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Notiz (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Notiz (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Zeige Instanz (z. B. @user@instanz) für User auf der lokalen Instanz an.", "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.accent_color_label": "Akzentfarbe",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Cryptocoin-Adresse hinzufügen",
"soapbox_config.fields.crypto_addresses_label": "Cryptocoin-Adresse", "soapbox_config.fields.crypto_addresses_label": "Cryptocoin-Adresse",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Standard-Theme", "soapbox_config.fields.theme_label": "Standard-Theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. Maximal 2 MB. Die Darstellung erfolgt mit 50px Höhe, das Seitenverhältnis wird beibehalten", "soapbox_config.hints.logo": "SVG. Maximal 2 MB. Die Darstellung erfolgt mit 50px Höhe, das Seitenverhältnis wird beibehalten",
"soapbox_config.hints.promo_panel_fields": "Du kannst persönliche Links angeben, welche im Panel rechts auf der Timeline angezeigt werden.", "soapbox_config.hints.promo_panel_fields": "Du kannst persönliche Links angeben, welche im Panel rechts auf der Timeline angezeigt werden.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icon-Liste", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icon-Liste",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Primäres Profil", "soapbox_config.single_user_mode_profile_label": "Primäres Profil",
"soapbox_config.verified_can_edit_name_label": "Verifizierten Nutzern die Änderung des Anzeigenamens gestatten.", "soapbox_config.verified_can_edit_name_label": "Verifizierten Nutzern die Änderung des Anzeigenamens gestatten.",
"status.actions.more": "Weitere Einstellungen", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Öffne Moderationsoberfläche für @{name}", "status.admin_account": "Öffne Moderationsoberfläche für @{name}",
"status.admin_status": "Öffne Beitrag in der Moderationsoberfläche", "status.admin_status": "Öffne Beitrag in der Moderationsoberfläche",
"status.block": "@{name} blockieren",
"status.bookmark": "Lesezeichen", "status.bookmark": "Lesezeichen",
"status.bookmarked": "Lesezeichen angelegt.", "status.bookmarked": "Lesezeichen angelegt.",
"status.cancel_reblog_private": "Teilen zurücknehmen", "status.cancel_reblog_private": "Teilen zurücknehmen",
@ -976,14 +1075,16 @@
"status.delete": "Löschen", "status.delete": "Löschen",
"status.detailed_status": "Detaillierte Ansicht der Unterhaltung", "status.detailed_status": "Detaillierte Ansicht der Unterhaltung",
"status.direct": "Direktnachricht an @{name}", "status.direct": "Direktnachricht an @{name}",
"status.edit": "Edit",
"status.embed": "Einbetten", "status.embed": "Einbetten",
"status.external": "View post on {domain}",
"status.favourite": "Favorisieren", "status.favourite": "Favorisieren",
"status.filtered": "Gefiltert", "status.filtered": "Gefiltert",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Weitere laden", "status.load_more": "Weitere laden",
"status.media_hidden": "Medien versteckt",
"status.mention": "@{name} erwähnen", "status.mention": "@{name} erwähnen",
"status.more": "Mehr", "status.more": "Mehr",
"status.mute": "@{name} stummschalten",
"status.mute_conversation": "Unterhaltung stummschalten", "status.mute_conversation": "Unterhaltung stummschalten",
"status.open": "Diesen Beitrag öffnen", "status.open": "Diesen Beitrag öffnen",
"status.pin": "Im Profil anheften", "status.pin": "Im Profil anheften",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Überdrüssig", "status.reactions.weary": "Überdrüssig",
"status.reactions_expand": "Emoji auswählen",
"status.read_more": "Mehr lesen", "status.read_more": "Mehr lesen",
"status.reblog": "Teilen", "status.reblog": "Teilen",
"status.reblog_private": "Mit der ursprünglichen Zielgruppe teilen", "status.reblog_private": "Mit der ursprünglichen Zielgruppe teilen",
@ -1009,13 +1109,15 @@
"status.replyAll": "Allen antworten", "status.replyAll": "Allen antworten",
"status.report": "@{name} melden", "status.report": "@{name} melden",
"status.sensitive_warning": "Heikle Inhalte", "status.sensitive_warning": "Heikle Inhalte",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Teilen", "status.share": "Teilen",
"status.show_less": "Weniger anzeigen",
"status.show_less_all": "Alle Inhaltswarnungen zuklappen", "status.show_less_all": "Alle Inhaltswarnungen zuklappen",
"status.show_more": "Mehr anzeigen",
"status.show_more_all": "Alle Inhaltswarnungen aufklappen", "status.show_more_all": "Alle Inhaltswarnungen aufklappen",
"status.show_original": "Show original",
"status.title": "Beiträge", "status.title": "Beiträge",
"status.title_direct": "Direktnachricht", "status.title_direct": "Direktnachricht",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Lesezeichen entfernen", "status.unbookmark": "Lesezeichen entfernen",
"status.unbookmarked": "Lesezeichen entfernt.", "status.unbookmarked": "Lesezeichen entfernt.",
"status.unmute_conversation": "Stummschaltung der Unterhaltung aufheben", "status.unmute_conversation": "Stummschaltung der Unterhaltung aufheben",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "{count, plural, one {Ein neuer Beitrag} other {# neue Beiträge}}. Hier klicken, um {count, plural, one {ihn} other {sie}} anzuzeigen.", "status_list.queue_label": "{count, plural, one {Ein neuer Beitrag} other {# neue Beiträge}}. Hier klicken, um {count, plural, one {ihn} other {sie}} anzuzeigen.",
"statuses.quote_tombstone": "Der Beitrag kann nicht angezeigt werden.", "statuses.quote_tombstone": "Der Beitrag kann nicht angezeigt werden.",
"statuses.tombstone": "Beitrag oder Beiträge können nicht angezeigt werden.", "statuses.tombstone": "Beitrag oder Beiträge können nicht angezeigt werden.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Empfehlung ausblenden", "suggestions.dismiss": "Empfehlung ausblenden",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Alle", "tabs_bar.all": "Alle",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Steuerung", "tabs_bar.dashboard": "Steuerung",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Start", "tabs_bar.home": "Start",
"tabs_bar.local": "Local",
"tabs_bar.more": "Mehr", "tabs_bar.more": "Mehr",
"tabs_bar.notifications": "Benachrichtigungen", "tabs_bar.notifications": "Benachrichtigungen",
"tabs_bar.post": "Neuer Beitrag",
"tabs_bar.profile": "Profil", "tabs_bar.profile": "Profil",
"tabs_bar.search": "Suche", "tabs_bar.search": "Suche",
"tabs_bar.settings": "Einstellungen", "tabs_bar.settings": "Einstellungen",
"tabs_bar.theme_toggle_dark": "Zum dunklen Modus wechseln", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Zum hellen Modus wechseln", "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",
"time_remaining.days": "{number, plural, one {# Tag} other {# Tage}} verbleibend", "time_remaining.days": "{number, plural, one {# Tag} other {# Tage}} verbleibend",
"time_remaining.hours": "{number, plural, one {# Stunde} other {# Stunden}} verbleibend", "time_remaining.hours": "{number, plural, one {# Stunde} other {# Stunden}} verbleibend",
"time_remaining.minutes": "{number, plural, one {# Minute} other {# Minuten}} verbleibend", "time_remaining.minutes": "{number, plural, one {# Minute} other {# Minuten}} verbleibend",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# Sekunde} other {# Sekunden}} verbleibend", "time_remaining.seconds": "{number, plural, one {# Sekunde} other {# Sekunden}} verbleibend",
"trends.count_by_accounts": "{count} {rawCount, plural, eine {Person} other {Personen}} reden darüber", "trends.count_by_accounts": "{count} {rawCount, plural, eine {Person} other {Personen}} reden darüber",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Dein Entwurf geht verloren, wenn du Soapbox verlässt.", "ui.beforeunload": "Dein Entwurf geht verloren, wenn du Soapbox verlässt.",
"unauthorized_modal.text": "Für diese Aktion musst Du angemeldet sein.", "unauthorized_modal.text": "Für diese Aktion musst Du angemeldet sein.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Bild überschreitet das Limit von ({limit})", "upload_error.image_size_limit": "Bild überschreitet das Limit von ({limit})",
"upload_error.limit": "Dateiupload-Limit erreicht.", "upload_error.limit": "Dateiupload-Limit erreicht.",
"upload_error.poll": "Dateiuploads sind in Kombination mit Umfragen nicht erlaubt.", "upload_error.poll": "Dateiuploads sind in Kombination mit Umfragen nicht erlaubt.",
"upload_error.video_duration_limit": "Video exceeds the current duration limit ({limit} seconds)",
"upload_error.video_size_limit": "Video überschreitet das Limit von ({limit})", "upload_error.video_size_limit": "Video überschreitet das Limit von ({limit})",
"upload_form.description": "Für Menschen mit Sehbehinderung beschreiben", "upload_form.description": "Für Menschen mit Sehbehinderung beschreiben",
"upload_form.preview": "Vorschau", "upload_form.preview": "Vorschau",
@ -1067,5 +1188,7 @@
"video.pause": "Pausieren", "video.pause": "Pausieren",
"video.play": "Abspielen", "video.play": "Abspielen",
"video.unmute": "Ton einschalten", "video.unmute": "Ton einschalten",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Vorschläge" "who_to_follow.title": "Vorschläge"
} }

File diff suppressed because it is too large Load Diff

View File

@ -10,18 +10,22 @@
"account.block_domain": "Απόκρυψε τα πάντα από το {domain}", "account.block_domain": "Απόκρυψε τα πάντα από το {domain}",
"account.blocked": "Αποκλεισμένος/η", "account.blocked": "Αποκλεισμένος/η",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Προσωπικό μήνυμα προς @{name}", "account.direct": "Προσωπικό μήνυμα προς @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Επεξεργασία προφίλ", "account.edit_profile": "Επεξεργασία προφίλ",
"account.endorse": "Προβολή στο προφίλ", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Ακολούθησε", "account.follow": "Ακολούθησε",
"account.followers": "Ακόλουθοι", "account.followers": "Ακόλουθοι",
"account.followers.empty": "Κανείς δεν ακολουθεί αυτό τον χρήστη ακόμα.", "account.followers.empty": "Κανείς δεν ακολουθεί αυτό τον χρήστη ακόμα.",
"account.follows": "Ακολουθεί", "account.follows": "Ακολουθεί",
"account.follows.empty": "Αυτός ο χρήστης δεν ακολουθεί κανέναν ακόμα.", "account.follows.empty": "Αυτός ο χρήστης δεν ακολουθεί κανέναν ακόμα.",
"account.follows_you": "Σε ακολουθεί", "account.follows_you": "Σε ακολουθεί",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Απόκρυψη προωθήσεων από @{name}", "account.hide_reblogs": "Απόκρυψη προωθήσεων από @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Η ιδιοκτησία αυτού του συνδέσμου ελέχθηκε την {date}", "account.link_verified_on": "Η ιδιοκτησία αυτού του συνδέσμου ελέχθηκε την {date}",
@ -30,36 +34,56 @@
"account.media": "Πολυμέσα", "account.media": "Πολυμέσα",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Ανάφερε", "account.mention": "Ανάφερε",
"account.moved_to": "{name} μεταφέρθηκε στο:",
"account.mute": "Σώπασε @{name}", "account.mute": "Σώπασε @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Τουτ", "account.posts": "Τουτ",
"account.posts_with_replies": "Τουτ και απαντήσεις", "account.posts_with_replies": "Τουτ και απαντήσεις",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Κατάγγειλε @{name}", "account.report": "Κατάγγειλε @{name}",
"account.requested": "Εκκρεμεί έγκριση. Κάνε κλικ για να ακυρώσεις το αίτημα παρακολούθησης", "account.requested": "Εκκρεμεί έγκριση. Κάνε κλικ για να ακυρώσεις το αίτημα παρακολούθησης",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Μοίρασμα του προφίλ @{name}", "account.share": "Μοίρασμα του προφίλ @{name}",
"account.show_reblogs": "Εμφάνιση προωθήσεων από @{name}", "account.show_reblogs": "Εμφάνιση προωθήσεων από @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Ξεμπλόκαρε @{name}", "account.unblock": "Ξεμπλόκαρε @{name}",
"account.unblock_domain": "Αποκάλυψε το {domain}", "account.unblock_domain": "Αποκάλυψε το {domain}",
"account.unendorse": "Άνευ προβολής στο προφίλ", "account.unendorse": "Άνευ προβολής στο προφίλ",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Διακοπή παρακολούθησης", "account.unfollow": "Διακοπή παρακολούθησης",
"account.unmute": "Διακοπή αποσιώπησης @{name}", "account.unmute": "Διακοπή αποσιώπησης @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Μπορείς να πατήσεις {combo} για να το προσπεράσεις αυτό την επόμενη φορά", "boost_modal.combo": "Μπορείς να πατήσεις {combo} για να το προσπεράσεις αυτό την επόμενη φορά",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Κάτι πήγε στραβά ενώ φορτωνόταν αυτό το στοιχείο.", "bundle_column_error.body": "Κάτι πήγε στραβά ενώ φορτωνόταν αυτό το στοιχείο.",
"bundle_column_error.retry": "Δοκίμασε ξανά", "bundle_column_error.retry": "Δοκίμασε ξανά",
"bundle_column_error.title": "Σφάλμα δικτύου", "bundle_column_error.title": "Σφάλμα δικτύου",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Τοπική ροή", "column.community": "Τοπική ροή",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Προσωπικά μηνύματα", "column.direct": "Προσωπικά μηνύματα",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Κρυμμένοι τομείς", "column.domain_blocks": "Κρυμμένοι τομείς",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Αιτήματα ακολούθησης", "column.follow_requests": "Αιτήματα ακολούθησης",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Αρχική", "column.home": "Αρχική",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Πίσω", "column_back_button.label": "Πίσω",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Εμφάνιση ρυθμίσεων",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Μόνο πολυμέσα", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Αυτό το τουτ θα σταλεί μόνο στους αναφερόμενους χρήστες.", "compose_form.direct_message_warning": "Αυτό το τουτ θα σταλεί μόνο στους αναφερόμενους χρήστες.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Τι σκέφτεσαι;", "compose_form.placeholder": "Τι σκέφτεσαι;",
"compose_form.poll.add_option": "Προσθήκη επιλογής", "compose_form.poll.add_option": "Προσθήκη επιλογής",
"compose_form.poll.duration": "Διάρκεια δημοσκόπησης", "compose_form.poll.duration": "Διάρκεια δημοσκόπησης",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Επιλογή {number}", "compose_form.poll.option_placeholder": "Επιλογή {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Αφαίρεση επιλογής", "compose_form.poll.remove_option": "Αφαίρεση επιλογής",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Τουτ", "compose_form.publish": "Τουτ",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Σημείωσε τα πολυμέσα ως ευαίσθητα",
"compose_form.sensitive.marked": "Το πολυμέσο έχει σημειωθεί ως ευαίσθητο",
"compose_form.sensitive.unmarked": "Το πολυμέσο δεν έχει σημειωθεί ως ευαίσθητο",
"compose_form.spoiler.marked": "Κείμενο κρυμμένο πίσω από προειδοποίηση", "compose_form.spoiler.marked": "Κείμενο κρυμμένο πίσω από προειδοποίηση",
"compose_form.spoiler.unmarked": "Μη κρυμμένο κείμενο", "compose_form.spoiler.unmarked": "Μη κρυμμένο κείμενο",
"compose_form.spoiler_placeholder": "Γράψε την προειδοποίησή σου εδώ", "compose_form.spoiler_placeholder": "Γράψε την προειδοποίησή σου εδώ",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Άκυρο", "confirmation_modal.cancel": "Άκυρο",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Απόκλεισε", "confirmations.block.confirm": "Απόκλεισε",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Σίγουρα θες να αποκλείσεις {name};", "confirmations.block.message": "Σίγουρα θες να αποκλείσεις {name};",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Διέγραψε", "confirmations.delete.confirm": "Διέγραψε",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Σίγουρα θες να διαγράψεις αυτή τη δημοσίευση;", "confirmations.delete.message": "Σίγουρα θες να διαγράψεις αυτή τη δημοσίευση;",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Απάντησε", "confirmations.reply.confirm": "Απάντησε",
"confirmations.reply.message": "Απαντώντας τώρα θα αντικαταστήσεις το κείμενο που ήδη γράφεις. Σίγουρα θέλεις να συνεχίσεις;", "confirmations.reply.message": "Απαντώντας τώρα θα αντικαταστήσεις το κείμενο που ήδη γράφεις. Σίγουρα θέλεις να συνεχίσεις;",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Ενσωματώστε αυτή την κατάσταση στην ιστοσελίδα σας αντιγράφοντας τον παρακάτω κώδικα.", "embed.instructions": "Ενσωματώστε αυτή την κατάσταση στην ιστοσελίδα σας αντιγράφοντας τον παρακάτω κώδικα.",
"embed.preview": "Ορίστε πως θα φαίνεται:",
"emoji_button.activity": "Δραστηριότητα", "emoji_button.activity": "Δραστηριότητα",
"emoji_button.custom": "Προσαρμοσμένα", "emoji_button.custom": "Προσαρμοσμένα",
"emoji_button.flags": "Σημαίες", "emoji_button.flags": "Σημαίες",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Δεν έχεις κανένα αίτημα παρακολούθησης ακόμα. Μόλις λάβεις κάποιο, θα εμφανιστεί εδώ.", "empty_column.follow_requests": "Δεν έχεις κανένα αίτημα παρακολούθησης ακόμα. Μόλις λάβεις κάποιο, θα εμφανιστεί εδώ.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Δεν υπάρχει ακόμα κάτι για αυτή την ταμπέλα.", "empty_column.hashtag": "Δεν υπάρχει ακόμα κάτι για αυτή την ταμπέλα.",
"empty_column.home": "Η τοπική σου ροή είναι κενή! Πήγαινε στο {public} ή κάνε αναζήτηση για να ξεκινήσεις και να γνωρίσεις άλλους χρήστες.", "empty_column.home": "Η τοπική σου ροή είναι κενή! Πήγαινε στο {public} ή κάνε αναζήτηση για να ξεκινήσεις και να γνωρίσεις άλλους χρήστες.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Δεν υπάρχει τίποτα σε αυτή τη λίστα ακόμα. Όταν τα μέλη της δημοσιεύσουν νέες καταστάσεις, θα εμφανιστούν εδώ.", "empty_column.list": "Δεν υπάρχει τίποτα σε αυτή τη λίστα ακόμα. Όταν τα μέλη της δημοσιεύσουν νέες καταστάσεις, θα εμφανιστούν εδώ.",
"empty_column.lists": "Δεν έχεις καμία λίστα ακόμα. Μόλις φτιάξεις μια, θα εμφανιστεί εδώ.", "empty_column.lists": "Δεν έχεις καμία λίστα ακόμα. Μόλις φτιάξεις μια, θα εμφανιστεί εδώ.",
"empty_column.mutes": "Δεν έχεις αποσιωπήσει κανένα χρήστη ακόμα.", "empty_column.mutes": "Δεν έχεις αποσιωπήσει κανένα χρήστη ακόμα.",
"empty_column.notifications": "Δεν έχεις ειδοποιήσεις ακόμα. Αλληλεπίδρασε με άλλους χρήστες για να ξεκινήσεις την κουβέντα.", "empty_column.notifications": "Δεν έχεις ειδοποιήσεις ακόμα. Αλληλεπίδρασε με άλλους χρήστες για να ξεκινήσεις την κουβέντα.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Δεν υπάρχει τίποτα εδώ! Γράψε κάτι δημόσιο, ή ακολούθησε χειροκίνητα χρήστες από άλλους κόμβους για να τη γεμίσεις", "empty_column.public": "Δεν υπάρχει τίποτα εδώ! Γράψε κάτι δημόσιο, ή ακολούθησε χειροκίνητα χρήστες από άλλους κόμβους για να τη γεμίσεις",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Ενέκρινε", "follow_request.authorize": "Ενέκρινε",
"follow_request.reject": "Απέρριψε", "follow_request.reject": "Απέρριψε",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} είναι ελεύθερο λογισμικό. Μπορείς να συνεισφέρεις ή να αναφέρεις ζητήματα στο GitLab στο {code_link} (v{code_version}).", "getting_started.open_source_notice": "Το {code_name} είναι ελεύθερο λογισμικό. Μπορείς να συνεισφέρεις ή να αναφέρεις ζητήματα στο GitLab στο {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "και {additional}", "hashtag.column_header.tag_mode.all": "και {additional}",
"hashtag.column_header.tag_mode.any": "ή {additional}", "hashtag.column_header.tag_mode.any": "ή {additional}",
"hashtag.column_header.tag_mode.none": "χωρίς {additional}", "hashtag.column_header.tag_mode.none": "χωρίς {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Εμφάνιση προωθήσεων", "home.column_settings.show_reblogs": "Εμφάνιση προωθήσεων",
"home.column_settings.show_replies": "Εμφάνιση απαντήσεων", "home.column_settings.show_replies": "Εμφάνιση απαντήσεων",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# μέρα} other {# μέρες}}", "intervals.full.days": "{number, plural, one {# μέρα} other {# μέρες}}",
"intervals.full.hours": "{number, plural, one {# ώρα} other {# ώρες}}", "intervals.full.hours": "{number, plural, one {# ώρα} other {# ώρες}}",
"intervals.full.minutes": "{number, plural, one {# λεπτό} other {# λεπτά}}", "intervals.full.minutes": "{number, plural, one {# λεπτό} other {# λεπτά}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "επιστροφή", "keyboard_shortcuts.back": "επιστροφή",
"keyboard_shortcuts.blocked": "άνοιγμα λίστας αποκλεισμένων χρηστών", "keyboard_shortcuts.blocked": "άνοιγμα λίστας αποκλεισμένων χρηστών",
"keyboard_shortcuts.boost": "προώθηση", "keyboard_shortcuts.boost": "προώθηση",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Εναλλαγή ορατότητας", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Δε βρέθηκε", "missing_indicator.label": "Δε βρέθηκε",
"missing_indicator.sublabel": "Αδύνατη η εύρεση αυτού του πόρου", "missing_indicator.sublabel": "Αδύνατη η εύρεση αυτού του πόρου",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Απόκρυψη ειδοποιήσεων αυτού του χρήστη;", "mute_modal.hide_notifications": "Απόκρυψη ειδοποιήσεων αυτού του χρήστη;",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Αποκλεισμένοι χρήστες", "navigation_bar.blocks": "Αποκλεισμένοι χρήστες",
"navigation_bar.compose": "Γράψε νέο τουτ", "navigation_bar.compose": "Γράψε νέο τουτ",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Κρυμμένοι τομείς", "navigation_bar.domain_blocks": "Κρυμμένοι τομείς",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Αποσιωπημένοι χρήστες", "navigation_bar.mutes": "Αποσιωπημένοι χρήστες",
"navigation_bar.preferences": "Προτιμήσεις", "navigation_bar.preferences": "Προτιμήσεις",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Ασφάλεια",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "Ο/Η {name} σημείωσε ως αγαπημένη την κατάστασή σου", "notification.favourite": "Ο/Η {name} σημείωσε ως αγαπημένη την κατάστασή σου",
"notification.follow": "Ο/Η {name} σε ακολούθησε", "notification.follow": "Ο/Η {name} σε ακολούθησε",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "Ο/Η {name} σε ανέφερε", "notification.mention": "Ο/Η {name} σε ανέφερε",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Τελείωσε μια από τις ψηφοφορίες που συμμετείχες", "notification.poll": "Τελείωσε μια από τις ψηφοφορίες που συμμετείχες",
"notification.reblog": "Ο/Η {name} προώθησε την κατάστασή σου", "notification.reblog": "Ο/Η {name} προώθησε την κατάστασή σου",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Καθαρισμός ειδοποιήσεων", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Σίγουρα θέλεις να καθαρίσεις όλες τις ειδοποιήσεις σου;", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Ειδοποιήσεις επιφάνειας εργασίας",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Αγαπημένα:",
"notifications.column_settings.filter_bar.advanced": "Εμφάνιση όλων των κατηγοριών",
"notifications.column_settings.filter_bar.category": "Μπάρα γρήγορου φίλτρου",
"notifications.column_settings.filter_bar.show": "Εμφάνιση",
"notifications.column_settings.follow": "Νέοι ακόλουθοι:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Αναφορές:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Αποτελέσματα ψηφοφορίας:",
"notifications.column_settings.push": "Άμεσες ειδοποιήσεις",
"notifications.column_settings.reblog": "Προωθήσεις:",
"notifications.column_settings.show": "Εμφάνισε σε στήλη",
"notifications.column_settings.sound": "Ηχητική ειδοποίηση",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Όλες", "notifications.filter.all": "Όλες",
"notifications.filter.boosts": "Προωθήσεις", "notifications.filter.boosts": "Προωθήσεις",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Αγαπημένα", "notifications.filter.favourites": "Αγαπημένα",
"notifications.filter.follows": "Ακόλουθοι", "notifications.filter.follows": "Ακόλουθοι",
"notifications.filter.mentions": "Αναφορές", "notifications.filter.mentions": "Αναφορές",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Αποτελέσματα ψηφοφορίας", "notifications.filter.polls": "Αποτελέσματα ψηφοφορίας",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} ειδοποιήσεις", "notifications.group": "{count} ειδοποιήσεις",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Κλειστή", "poll.closed": "Κλειστή",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Ανανέωση", "poll.refresh": "Ανανέωση",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# ψήφος} other {# ψήφοι}}", "poll.total_votes": "{count, plural, one {# ψήφος} other {# ψήφοι}}",
"poll.vote": "Ψήφισε", "poll.vote": "Ψήφισε",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Προσθήκη δημοσκόπησης", "poll_button.add_poll": "Προσθήκη δημοσκόπησης",
"poll_button.remove_poll": "Αφαίρεση δημοσκόπησης", "poll_button.remove_poll": "Αφαίρεση δημοσκόπησης",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Προσαρμογή ιδιωτικότητας δημοσίευσης", "privacy.change": "Προσαρμογή ιδιωτικότητας δημοσίευσης",
"privacy.direct.long": "Δημοσίευση μόνο σε όσους και όσες αναφέρονται", "privacy.direct.long": "Δημοσίευση μόνο σε όσους και όσες αναφέρονται",
"privacy.direct.short": "Προσωπικά", "privacy.direct.short": "Προσωπικά",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Μη καταχωρημένα", "privacy.unlisted.short": "Μη καταχωρημένα",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Φορτώνει…", "regeneration_indicator.label": "Φορτώνει…",
"regeneration_indicator.sublabel": "Η αρχική σου ροή ετοιμάζεται!", "regeneration_indicator.sublabel": "Η αρχική σου ροή ετοιμάζεται!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}η", "relative_time.days": "{number}η",
"relative_time.hours": "{number}ω", "relative_time.hours": "{number}ω",
"relative_time.just_now": "τώρα", "relative_time.just_now": "τώρα",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Άκυρο", "reply_indicator.cancel": "Άκυρο",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Προώθηση προς {target}", "report.forward": "Προώθηση προς {target}",
"report.forward_hint": "Ο λογαριασμός είναι από διαφορετικό διακομιστή. Να σταλεί ανώνυμο αντίγραφο της καταγγελίας κι εκεί;", "report.forward_hint": "Ο λογαριασμός είναι από διαφορετικό διακομιστή. Να σταλεί ανώνυμο αντίγραφο της καταγγελίας κι εκεί;",
"report.hint": "Η καταγγελία θα σταλεί στους διαχειριστές του κόμβου σου. Μπορείς να περιγράψεις γιατί καταγγέλεις αυτόν το λογαριασμό παρακάτω:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Επιπλέον σχόλια", "report.placeholder": "Επιπλέον σχόλια",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Υποβολή", "report.submit": "Υποβολή",
"report.target": "Καταγγελία {target}", "report.target": "Καταγγελία {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Αναζήτηση", "search.placeholder": "Αναζήτηση",
"search_results.accounts": "Άνθρωποι", "search_results.accounts": "Άνθρωποι",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Ταμπέλες", "search_results.hashtags": "Ταμπέλες",
"search_results.statuses": "Τουτ", "search_results.statuses": "Τουτ",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Άνοιγμα λειτουργίας διαμεσολάβησης για τον/την @{name}", "status.admin_account": "Άνοιγμα λειτουργίας διαμεσολάβησης για τον/την @{name}",
"status.admin_status": "Άνοιγμα αυτής της δημοσίευσης στη λειτουργία διαμεσολάβησης", "status.admin_status": "Άνοιγμα αυτής της δημοσίευσης στη λειτουργία διαμεσολάβησης",
"status.block": "Αποκλεισμός @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Ακύρωσε την προώθηση", "status.cancel_reblog_private": "Ακύρωσε την προώθηση",
@ -976,14 +1075,16 @@
"status.delete": "Διαγραφή", "status.delete": "Διαγραφή",
"status.detailed_status": "Προβολή λεπτομερειών συζήτησης", "status.detailed_status": "Προβολή λεπτομερειών συζήτησης",
"status.direct": "Προσωπικό μήνυμα προς @{name}", "status.direct": "Προσωπικό μήνυμα προς @{name}",
"status.edit": "Edit",
"status.embed": "Ενσωμάτωσε", "status.embed": "Ενσωμάτωσε",
"status.external": "View post on {domain}",
"status.favourite": "Σημείωσε ως αγαπημένο", "status.favourite": "Σημείωσε ως αγαπημένο",
"status.filtered": "Φιλτραρισμένα", "status.filtered": "Φιλτραρισμένα",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Φόρτωσε περισσότερα", "status.load_more": "Φόρτωσε περισσότερα",
"status.media_hidden": "Κρυμμένο πολυμέσο",
"status.mention": "Ανέφερε τον/την @{name}", "status.mention": "Ανέφερε τον/την @{name}",
"status.more": "Περισσότερα", "status.more": "Περισσότερα",
"status.mute": "Σώπασε τον/την @{name}",
"status.mute_conversation": "Αποσιώπησε τη συζήτηση", "status.mute_conversation": "Αποσιώπησε τη συζήτηση",
"status.open": "Διεύρυνε αυτή την κατάσταση", "status.open": "Διεύρυνε αυτή την κατάσταση",
"status.pin": "Καρφίτσωσε στο προφίλ", "status.pin": "Καρφίτσωσε στο προφίλ",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Περισσότερα", "status.read_more": "Περισσότερα",
"status.reblog": "Προώθησε", "status.reblog": "Προώθησε",
"status.reblog_private": "Προώθησε στους αρχικούς παραλήπτες", "status.reblog_private": "Προώθησε στους αρχικούς παραλήπτες",
@ -1009,13 +1109,15 @@
"status.replyAll": "Απάντησε στην συζήτηση", "status.replyAll": "Απάντησε στην συζήτηση",
"status.report": "Κατάγγειλε @{name}", "status.report": "Κατάγγειλε @{name}",
"status.sensitive_warning": "Ευαίσθητο περιεχόμενο", "status.sensitive_warning": "Ευαίσθητο περιεχόμενο",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Μοιράσου", "status.share": "Μοιράσου",
"status.show_less": "Δείξε λιγότερα",
"status.show_less_all": "Δείξε λιγότερα για όλα", "status.show_less_all": "Δείξε λιγότερα για όλα",
"status.show_more": "Δείξε περισσότερα",
"status.show_more_all": "Δείξε περισσότερα για όλα", "status.show_more_all": "Δείξε περισσότερα για όλα",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Διέκοψε την αποσιώπηση της συζήτησης", "status.unmute_conversation": "Διέκοψε την αποσιώπηση της συζήτησης",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Απόρριψη πρότασης", "suggestions.dismiss": "Απόρριψη πρότασης",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Αρχική", "tabs_bar.home": "Αρχική",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Ειδοποιήσεις", "tabs_bar.notifications": "Ειδοποιήσεις",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Αναζήτηση", "tabs_bar.search": "Αναζήτηση",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "απομένουν {number, plural, one {# ημέρα} other {# ημέρες}}", "time_remaining.days": "απομένουν {number, plural, one {# ημέρα} other {# ημέρες}}",
"time_remaining.hours": "απομένουν {number, plural, one {# ώρα} other {# ώρες}}", "time_remaining.hours": "απομένουν {number, plural, one {# ώρα} other {# ώρες}}",
"time_remaining.minutes": "απομένουν {number, plural, one {# λεπτό} other {# λεπτά}}", "time_remaining.minutes": "απομένουν {number, plural, one {# λεπτό} other {# λεπτά}}",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "απομένουν {number, plural, one {# δευτερόλεπτο} other {# δευτερόλεπτα}}", "time_remaining.seconds": "απομένουν {number, plural, one {# δευτερόλεπτο} other {# δευτερόλεπτα}}",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} μιλάνε", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} μιλάνε",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Το προσχέδιό σου θα χαθεί αν φύγεις από το Soapbox.", "ui.beforeunload": "Το προσχέδιό σου θα χαθεί αν φύγεις από το Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Υπέρβαση ορίου μεγέθους ανεβασμένων αρχείων.", "upload_error.limit": "Υπέρβαση ορίου μεγέθους ανεβασμένων αρχείων.",
"upload_error.poll": "Στις δημοσκοπήσεις δεν επιτρέπεται η μεταφόρτωση αρχείου.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Περιέγραψε για όσους & όσες έχουν προβλήματα όρασης", "upload_form.description": "Περιέγραψε για όσους & όσες έχουν προβλήματα όρασης",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Παύση", "video.pause": "Παύση",
"video.play": "Αναπαραγωγή", "video.play": "Αναπαραγωγή",
"video.unmute": "Αναπαραγωγή ήχου", "video.unmute": "Αναπαραγωγή ήχου",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "𐑣𐑲𐑛 𐑧𐑝𐑮𐑦𐑔𐑦𐑙 𐑓𐑮𐑪𐑥 {domain}", "account.block_domain": "𐑣𐑲𐑛 𐑧𐑝𐑮𐑦𐑔𐑦𐑙 𐑓𐑮𐑪𐑥 {domain}",
"account.blocked": "𐑚𐑤𐑪𐑒𐑑", "account.blocked": "𐑚𐑤𐑪𐑒𐑑",
"account.chat": "𐑗𐑨𐑑 𐑢𐑦𐑞 @{name}", "account.chat": "𐑗𐑨𐑑 𐑢𐑦𐑞 @{name}",
"account.column_settings.description": "𐑞𐑰𐑟 𐑕𐑧𐑑𐑦𐑙𐑟 𐑩𐑐𐑤𐑲 𐑑 𐑷𐑤 𐑩𐑒𐑬𐑯𐑑 𐑑𐑲𐑥𐑤𐑲𐑯𐑟.",
"account.column_settings.title": "𐑩𐑒𐑬𐑯𐑑 𐑑𐑲𐑥𐑤𐑲𐑯 𐑕𐑧𐑑𐑦𐑙𐑟",
"account.deactivated": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑𐑩𐑛", "account.deactivated": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑𐑩𐑛",
"account.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡 @{name}", "account.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡 @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "𐑧𐑛𐑦𐑑 𐑐𐑮𐑴𐑓𐑲𐑤", "account.edit_profile": "𐑧𐑛𐑦𐑑 𐑐𐑮𐑴𐑓𐑲𐑤",
"account.endorse": "𐑓𐑰𐑗𐑼 𐑪𐑯 𐑐𐑮𐑴𐑓𐑲𐑤", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "𐑓𐑪𐑤𐑴", "account.follow": "𐑓𐑪𐑤𐑴",
"account.followers": "𐑓𐑪𐑤𐑴𐑼𐑟", "account.followers": "𐑓𐑪𐑤𐑴𐑼𐑟",
"account.followers.empty": "𐑯𐑴 𐑢𐑳𐑯 𐑓𐑪𐑤𐑴𐑟 𐑞𐑦𐑕 𐑿𐑟𐑼 𐑘𐑧𐑑.", "account.followers.empty": "𐑯𐑴 𐑢𐑳𐑯 𐑓𐑪𐑤𐑴𐑟 𐑞𐑦𐑕 𐑿𐑟𐑼 𐑘𐑧𐑑.",
"account.follows": "𐑓𐑪𐑤𐑴𐑟", "account.follows": "𐑓𐑪𐑤𐑴𐑟",
"account.follows.empty": "𐑞𐑦𐑕 𐑿𐑟𐑼 𐑛𐑳𐑟𐑩𐑯𐑑 𐑓𐑪𐑤𐑴 𐑧𐑯𐑦𐑢𐑳𐑯 𐑘𐑧𐑑.", "account.follows.empty": "𐑞𐑦𐑕 𐑿𐑟𐑼 𐑛𐑳𐑟𐑩𐑯𐑑 𐑓𐑪𐑤𐑴 𐑧𐑯𐑦𐑢𐑳𐑯 𐑘𐑧𐑑.",
"account.follows_you": "𐑓𐑪𐑤𐑴𐑟 𐑿", "account.follows_you": "𐑓𐑪𐑤𐑴𐑟 𐑿",
"account.header.alt": "Profile header",
"account.hide_reblogs": "𐑣𐑲𐑛 𐑮𐑰𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 @{name}", "account.hide_reblogs": "𐑣𐑲𐑛 𐑮𐑰𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 @{name}",
"account.last_status": "𐑤𐑭𐑕𐑑 𐑨𐑒𐑑𐑦𐑝", "account.last_status": "𐑤𐑭𐑕𐑑 𐑨𐑒𐑑𐑦𐑝",
"account.link_verified_on": "𐑴𐑯𐑼𐑖𐑦𐑐 𐑝 𐑞𐑦𐑕 𐑤𐑦𐑙𐑒 𐑢𐑪𐑟 𐑗𐑧𐑒𐑑 𐑪𐑯 {date}", "account.link_verified_on": "𐑴𐑯𐑼𐑖𐑦𐑐 𐑝 𐑞𐑦𐑕 𐑤𐑦𐑙𐑒 𐑢𐑪𐑟 𐑗𐑧𐑒𐑑 𐑪𐑯 {date}",
@ -30,36 +34,56 @@
"account.media": "𐑥𐑰𐑛𐑾", "account.media": "𐑥𐑰𐑛𐑾",
"account.member_since": "𐑡𐑶𐑯𐑛 {date}", "account.member_since": "𐑡𐑶𐑯𐑛 {date}",
"account.mention": "𐑥𐑧𐑯𐑖𐑩𐑯", "account.mention": "𐑥𐑧𐑯𐑖𐑩𐑯",
"account.moved_to": "{name} 𐑣𐑨𐑟 𐑥𐑵𐑝𐑛 𐑑:",
"account.mute": "𐑥𐑿𐑑 @{name}", "account.mute": "𐑥𐑿𐑑 @{name}",
"account.muted": "Muted",
"account.never_active": "𐑯𐑧𐑝𐑼", "account.never_active": "𐑯𐑧𐑝𐑼",
"account.posts": "𐑐𐑴𐑕𐑑𐑕", "account.posts": "𐑐𐑴𐑕𐑑𐑕",
"account.posts_with_replies": "𐑐𐑴𐑕𐑑𐑕 𐑯 𐑮𐑦𐑐𐑤𐑲𐑟", "account.posts_with_replies": "𐑐𐑴𐑕𐑑𐑕 𐑯 𐑮𐑦𐑐𐑤𐑲𐑟",
"account.profile": "𐑐𐑮𐑴𐑓𐑲𐑤", "account.profile": "𐑐𐑮𐑴𐑓𐑲𐑤",
"account.profile_external": "View profile on {domain}",
"account.register": "𐑕𐑲𐑯 𐑳𐑐", "account.register": "𐑕𐑲𐑯 𐑳𐑐",
"account.remote_follow": "𐑮𐑦𐑥𐑴𐑑 𐑓𐑪𐑤𐑴", "account.remote_follow": "𐑮𐑦𐑥𐑴𐑑 𐑓𐑪𐑤𐑴",
"account.remove_from_followers": "Remove this follower",
"account.report": "𐑮𐑦𐑐𐑹𐑑 @{name}", "account.report": "𐑮𐑦𐑐𐑹𐑑 @{name}",
"account.requested": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤. 𐑒𐑤𐑦𐑒 𐑑 𐑒𐑨𐑯𐑕𐑩𐑤 𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑", "account.requested": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤. 𐑒𐑤𐑦𐑒 𐑑 𐑒𐑨𐑯𐑕𐑩𐑤 𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑",
"account.requested_small": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤", "account.requested_small": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "𐑖𐑺 @{name}'s 𐑐𐑮𐑴𐑓𐑲𐑤", "account.share": "𐑖𐑺 @{name}'s 𐑐𐑮𐑴𐑓𐑲𐑤",
"account.show_reblogs": "𐑖𐑴 𐑮𐑰𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 @{name}", "account.show_reblogs": "𐑖𐑴 𐑮𐑰𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 @{name}",
"account.subscribe": "𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 @{name}", "account.subscribe": "𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 @{name}",
"account.subscribed": "𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚𐑛", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "𐑳𐑯𐑚𐑤𐑪𐑒 @{name}", "account.unblock": "𐑳𐑯𐑚𐑤𐑪𐑒 @{name}",
"account.unblock_domain": "𐑳𐑯𐑣𐑲𐑛 {domain}", "account.unblock_domain": "𐑳𐑯𐑣𐑲𐑛 {domain}",
"account.unendorse": "𐑛𐑴𐑯𐑑 𐑓𐑰𐑗𐑼 𐑪𐑯 𐑐𐑮𐑴𐑓𐑲𐑤", "account.unendorse": "𐑛𐑴𐑯𐑑 𐑓𐑰𐑗𐑼 𐑪𐑯 𐑐𐑮𐑴𐑓𐑲𐑤",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "𐑳𐑯𐑓𐑪𐑤𐑴", "account.unfollow": "𐑳𐑯𐑓𐑪𐑤𐑴",
"account.unmute": "𐑳𐑯𐑥𐑿𐑑 @{name}", "account.unmute": "𐑳𐑯𐑥𐑿𐑑 @{name}",
"account.unsubscribe": "𐑳𐑯𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 @{name}", "account.unsubscribe": "𐑳𐑯𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 @{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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "𐑯𐑴 𐑥𐑰𐑛𐑾 𐑑 𐑖𐑴.", "account_gallery.none": "𐑯𐑴 𐑥𐑰𐑛𐑾 𐑑 𐑖𐑴.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "𐑕𐑻𐑗 𐑓 𐑩𐑯 𐑩𐑒𐑬𐑯𐑑", "account_search.placeholder": "𐑕𐑻𐑗 𐑓 𐑩𐑯 𐑩𐑒𐑬𐑯𐑑",
"account_timeline.column_settings.show_pinned": "𐑖𐑴 𐑐𐑦𐑯𐑛 𐑐𐑴𐑕𐑑𐑕", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} 𐑢𐑪𐑟 𐑩𐑐𐑮𐑵𐑝𐑛!", "admin.awaiting_approval.approved_message": "{acct} 𐑢𐑪𐑟 𐑩𐑐𐑮𐑵𐑝𐑛!",
"admin.awaiting_approval.empty_message": "𐑞𐑺 𐑦𐑟 𐑯𐑴𐑚𐑪𐑛𐑦 𐑢𐑱𐑑𐑦𐑙 𐑓 𐑩𐑐𐑮𐑵𐑝𐑩𐑤. 𐑢𐑧𐑯 𐑩 𐑯𐑿 𐑿𐑟𐑼 𐑕𐑲𐑯𐑟 𐑳𐑐, 𐑿 𐑒𐑨𐑯 𐑮𐑦𐑝𐑿 𐑞𐑧𐑥 𐑣𐑽.", "admin.awaiting_approval.empty_message": "𐑞𐑺 𐑦𐑟 𐑯𐑴𐑚𐑪𐑛𐑦 𐑢𐑱𐑑𐑦𐑙 𐑓 𐑩𐑐𐑮𐑵𐑝𐑩𐑤. 𐑢𐑧𐑯 𐑩 𐑯𐑿 𐑿𐑟𐑼 𐑕𐑲𐑯𐑟 𐑳𐑐, 𐑿 𐑒𐑨𐑯 𐑮𐑦𐑝𐑿 𐑞𐑧𐑥 𐑣𐑽.",
"admin.awaiting_approval.rejected_message": "{acct} 𐑢𐑪𐑟 𐑮𐑦𐑡𐑧𐑒𐑑𐑩𐑛.", "admin.awaiting_approval.rejected_message": "{acct} 𐑢𐑪𐑟 𐑮𐑦𐑡𐑧𐑒𐑑𐑩𐑛.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "𐑣𐑵 𐑸 𐑿 𐑤𐑫𐑒𐑦𐑙 for?", "admin.user_index.search_input_placeholder": "𐑣𐑵 𐑸 𐑿 𐑤𐑫𐑒𐑦𐑙 for?",
"admin.users.actions.deactivate_user": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑 @{name}", "admin.users.actions.deactivate_user": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑 @{name}",
"admin.users.actions.delete_user": "𐑛𐑦𐑤𐑰𐑑 @{name}", "admin.users.actions.delete_user": "𐑛𐑦𐑤𐑰𐑑 @{name}",
"admin.users.actions.demote_to_moderator": "𐑛𐑦𐑥𐑴𐑑 @{name} 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼",
"admin.users.actions.demote_to_moderator_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑦𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼", "admin.users.actions.demote_to_moderator_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑦𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼",
"admin.users.actions.demote_to_user": "𐑛𐑦𐑥𐑴𐑑 @{name} 𐑑 𐑩 𐑮𐑧𐑜𐑘𐑩𐑤𐑼 𐑿𐑟𐑼",
"admin.users.actions.demote_to_user_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑦𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑮𐑧𐑜𐑘𐑩𐑤𐑼 𐑿𐑟𐑼", "admin.users.actions.demote_to_user_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑦𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑮𐑧𐑜𐑘𐑩𐑤𐑼 𐑿𐑟𐑼",
"admin.users.actions.promote_to_admin": "𐑐𐑮𐑩𐑥𐑴𐑑 @{name} 𐑑 𐑩𐑯 𐑨𐑛𐑥𐑦𐑯",
"admin.users.actions.promote_to_admin_message": "@{acct} 𐑢𐑪𐑟 𐑐𐑮𐑩𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩𐑯 𐑨𐑛𐑥𐑦𐑯", "admin.users.actions.promote_to_admin_message": "@{acct} 𐑢𐑪𐑟 𐑐𐑮𐑩𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩𐑯 𐑨𐑛𐑥𐑦𐑯",
"admin.users.actions.promote_to_moderator": "𐑐𐑮𐑩𐑥𐑴𐑑 @{name} 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼",
"admin.users.actions.promote_to_moderator_message": "@{acct} 𐑢𐑪𐑟 𐑐𐑮𐑩𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼", "admin.users.actions.promote_to_moderator_message": "@{acct} 𐑢𐑪𐑟 𐑐𐑮𐑩𐑥𐑴𐑑𐑩𐑛 𐑑 𐑩 𐑥𐑪𐑛𐑼𐑱𐑑𐑼",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "𐑕𐑩𐑡𐑧𐑕𐑑 @{name}",
"admin.users.actions.unsuggest_user": "𐑳𐑯𐑕𐑩𐑡𐑧𐑕𐑑 @{name}",
"admin.users.actions.unverify_user": "𐑳𐑯𐑝𐑧𐑮𐑦𐑓𐑲 @{name}",
"admin.users.actions.verify_user": "𐑝𐑧𐑮𐑦𐑓𐑲 @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑𐑩𐑛", "admin.users.user_deactivated_message": "@{acct} 𐑢𐑪𐑟 𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑𐑩𐑛",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤", "admin_nav.awaiting_approval": "𐑩𐑢𐑱𐑑𐑦𐑙 𐑩𐑐𐑮𐑵𐑝𐑩𐑤",
"admin_nav.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛", "admin_nav.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛",
"admin_nav.reports": "𐑮𐑦𐑐𐑹𐑑𐑕", "admin_nav.reports": "𐑮𐑦𐑐𐑹𐑑𐑕",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "𐑒𐑤𐑽 𐑒𐑫𐑒𐑦𐑟 𐑯 𐑚𐑮𐑬𐑟𐑼 𐑛𐑱𐑑𐑩", "alert.unexpected.clear_cookies": "𐑒𐑤𐑽 𐑒𐑫𐑒𐑦𐑟 𐑯 𐑚𐑮𐑬𐑟𐑼 𐑛𐑱𐑑𐑩",
@ -136,6 +154,7 @@
"aliases.search": "𐑕𐑻𐑗 𐑘𐑹 𐑴𐑤𐑛 𐑩𐑒𐑬𐑯𐑑", "aliases.search": "𐑕𐑻𐑗 𐑘𐑹 𐑴𐑤𐑛 𐑩𐑒𐑬𐑯𐑑",
"aliases.success.add": "𐑩𐑒𐑬𐑯𐑑 𐑱𐑤𐑾𐑕 𐑒𐑮𐑦𐑱𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦", "aliases.success.add": "𐑩𐑒𐑬𐑯𐑑 𐑱𐑤𐑾𐑕 𐑒𐑮𐑦𐑱𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦",
"aliases.success.remove": "𐑩𐑒𐑬𐑯𐑑 𐑱𐑤𐑾𐑕 𐑮𐑦𐑥𐑵𐑝𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦", "aliases.success.remove": "𐑩𐑒𐑬𐑯𐑑 𐑱𐑤𐑾𐑕 𐑮𐑦𐑥𐑵𐑝𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦",
"announcements.title": "Announcements",
"app_create.name_label": "𐑨𐑐 𐑯𐑱𐑥", "app_create.name_label": "𐑨𐑐 𐑯𐑱𐑥",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "𐑮𐑰𐑛𐑦𐑮𐑧𐑒𐑑 URIs", "app_create.redirect_uri_label": "𐑮𐑰𐑛𐑦𐑮𐑧𐑒𐑑 URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "𐑢𐑧𐑚𐑕𐑲𐑑", "app_create.website_label": "𐑢𐑧𐑚𐑕𐑲𐑑",
"auth.invalid_credentials": "𐑮𐑪𐑙 𐑿𐑟𐑼𐑯𐑱𐑥 𐑹 𐑐𐑭𐑕𐑢𐑻𐑛", "auth.invalid_credentials": "𐑮𐑪𐑙 𐑿𐑟𐑼𐑯𐑱𐑥 𐑹 𐑐𐑭𐑕𐑢𐑻𐑛",
"auth.logged_out": "𐑤𐑪𐑜𐑛 𐑬𐑑.", "auth.logged_out": "𐑤𐑪𐑜𐑛 𐑬𐑑.",
"auth_layout.register": "Create an account",
"backups.actions.create": "𐑒𐑮𐑦𐑱𐑑 𐑚𐑨𐑒𐑳𐑐", "backups.actions.create": "𐑒𐑮𐑦𐑱𐑑 𐑚𐑨𐑒𐑳𐑐",
"backups.empty_message": "𐑯𐑴 𐑚𐑨𐑒𐑳𐑐𐑕 𐑓𐑬𐑯𐑛. {action}", "backups.empty_message": "𐑯𐑴 𐑚𐑨𐑒𐑳𐑐𐑕 𐑓𐑬𐑯𐑛. {action}",
"backups.empty_message.action": "𐑒𐑮𐑦𐑱𐑑 𐑢𐑳𐑯 𐑯𐑬?", "backups.empty_message.action": "𐑒𐑮𐑦𐑱𐑑 𐑢𐑳𐑯 𐑯𐑬?",
"backups.pending": "𐑐𐑧𐑯𐑛𐑦𐑙", "backups.pending": "𐑐𐑧𐑯𐑛𐑦𐑙",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "𐑿 𐑒𐑨𐑯 𐑐𐑮𐑧𐑕 {combo} 𐑑 𐑕𐑒𐑦𐑐 𐑞𐑦𐑕 𐑯𐑧𐑒𐑕𐑑 𐑑𐑲𐑥", "boost_modal.combo": "𐑿 𐑒𐑨𐑯 𐑐𐑮𐑧𐑕 {combo} 𐑑 𐑕𐑒𐑦𐑐 𐑞𐑦𐑕 𐑯𐑧𐑒𐑕𐑑 𐑑𐑲𐑥",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "𐑕𐑳𐑥𐑔𐑦𐑙 𐑢𐑧𐑯𐑑 𐑮𐑪𐑙 𐑢𐑲𐑤 𐑤𐑴𐑛𐑦𐑙 𐑞𐑦𐑕 𐑒𐑩𐑥𐑐𐑴𐑯𐑩𐑯𐑑.", "bundle_column_error.body": "𐑕𐑳𐑥𐑔𐑦𐑙 𐑢𐑧𐑯𐑑 𐑮𐑪𐑙 𐑢𐑲𐑤 𐑤𐑴𐑛𐑦𐑙 𐑞𐑦𐑕 𐑒𐑩𐑥𐑐𐑴𐑯𐑩𐑯𐑑.",
"bundle_column_error.retry": "𐑑𐑮𐑲 𐑩𐑜𐑱𐑯", "bundle_column_error.retry": "𐑑𐑮𐑲 𐑩𐑜𐑱𐑯",
"bundle_column_error.title": "𐑯𐑧𐑑𐑢𐑻𐑒 𐑧𐑮𐑼", "bundle_column_error.title": "𐑯𐑧𐑑𐑢𐑻𐑒 𐑧𐑮𐑼",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "𐑕𐑧𐑯𐑛 𐑩 𐑥𐑧𐑕𐑦𐑡…", "chat_box.input.placeholder": "𐑕𐑧𐑯𐑛 𐑩 𐑥𐑧𐑕𐑦𐑡…",
"chat_panels.main_window.empty": "𐑯𐑴 𐑗𐑨𐑑𐑕 𐑓𐑬𐑯𐑛. 𐑑 𐑕𐑑𐑸𐑑 𐑩 𐑗𐑨𐑑, 𐑝𐑦𐑟𐑦𐑑 𐑩 𐑿𐑟𐑼𐑟 𐑐𐑮𐑴𐑓𐑲𐑤.", "chat_panels.main_window.empty": "𐑯𐑴 𐑗𐑨𐑑𐑕 𐑓𐑬𐑯𐑛. 𐑑 𐑕𐑑𐑸𐑑 𐑩 𐑗𐑨𐑑, 𐑝𐑦𐑟𐑦𐑑 𐑩 𐑿𐑟𐑼𐑟 𐑐𐑮𐑴𐑓𐑲𐑤.",
"chat_panels.main_window.title": "𐑗𐑨𐑑𐑕", "chat_panels.main_window.title": "𐑗𐑨𐑑𐑕",
"chat_window.close": "Close chat",
"chats.actions.delete": "𐑛𐑦𐑤𐑰𐑑 𐑥𐑧𐑕𐑦𐑡", "chats.actions.delete": "𐑛𐑦𐑤𐑰𐑑 𐑥𐑧𐑕𐑦𐑡",
"chats.actions.more": "𐑥𐑹", "chats.actions.more": "𐑥𐑹",
"chats.actions.report": "𐑮𐑦𐑐𐑹𐑑 𐑿𐑟𐑼", "chats.actions.report": "𐑮𐑦𐑐𐑹𐑑 𐑿𐑟𐑼",
@ -198,11 +221,13 @@
"column.community": "𐑤𐑴𐑒𐑩𐑤 𐑑𐑲𐑥𐑤𐑲𐑯", "column.community": "𐑤𐑴𐑒𐑩𐑤 𐑑𐑲𐑥𐑤𐑲𐑯",
"column.crypto_donate": "𐑛𐑴𐑯𐑱𐑑 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦", "column.crypto_donate": "𐑛𐑴𐑯𐑱𐑑 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦",
"column.developers": "𐑛𐑦𐑝𐑧𐑤𐑩𐑐𐑼𐑟", "column.developers": "𐑛𐑦𐑝𐑧𐑤𐑩𐑐𐑼𐑟",
"column.developers.service_worker": "Service Worker",
"column.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡𐑩𐑟", "column.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡𐑩𐑟",
"column.directory": "𐑚𐑮𐑬𐑟 𐑐𐑮𐑴𐑓𐑲𐑤s", "column.directory": "𐑚𐑮𐑬𐑟 𐑐𐑮𐑴𐑓𐑲𐑤s",
"column.domain_blocks": "𐑣𐑦𐑛𐑩𐑯 𐑛𐑴𐑥𐑱𐑯𐑟", "column.domain_blocks": "𐑣𐑦𐑛𐑩𐑯 𐑛𐑴𐑥𐑱𐑯𐑟",
"column.edit_profile": "𐑧𐑛𐑦𐑑 𐑐𐑮𐑴𐑓𐑲𐑤", "column.edit_profile": "𐑧𐑛𐑦𐑑 𐑐𐑮𐑴𐑓𐑲𐑤",
"column.export_data": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑛𐑱𐑑𐑩", "column.export_data": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑛𐑱𐑑𐑩",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "𐑤𐑲𐑒𐑑 𐑐𐑴𐑕𐑑𐑕", "column.favourited_statuses": "𐑤𐑲𐑒𐑑 𐑐𐑴𐑕𐑑𐑕",
"column.favourites": "𐑤𐑲𐑒𐑕", "column.favourites": "𐑤𐑲𐑒𐑕",
"column.federation_restrictions": "𐑓𐑧𐑛𐑼𐑱𐑖𐑩𐑯 𐑮𐑦𐑕𐑑𐑮𐑦𐑒𐑖𐑩𐑯𐑟", "column.federation_restrictions": "𐑓𐑧𐑛𐑼𐑱𐑖𐑩𐑯 𐑮𐑦𐑕𐑑𐑮𐑦𐑒𐑖𐑩𐑯𐑟",
@ -227,7 +252,6 @@
"column.follow_requests": "𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑕", "column.follow_requests": "𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑕",
"column.followers": "𐑓𐑪𐑤𐑴𐑼𐑟", "column.followers": "𐑓𐑪𐑤𐑴𐑼𐑟",
"column.following": "𐑓𐑪𐑤𐑴𐑦𐑙", "column.following": "𐑓𐑪𐑤𐑴𐑦𐑙",
"column.groups": "𐑜𐑮𐑵𐑐𐑕",
"column.home": "𐑣𐑴𐑥", "column.home": "𐑣𐑴𐑥",
"column.import_data": "𐑦𐑥𐑐𐑹𐑑 𐑛𐑱𐑑𐑩", "column.import_data": "𐑦𐑥𐑐𐑹𐑑 𐑛𐑱𐑑𐑩",
"column.info": "𐑕𐑻𐑝𐑼 𐑦𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯", "column.info": "𐑕𐑻𐑝𐑼 𐑦𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯",
@ -249,18 +273,17 @@
"column.remote": "𐑓𐑧𐑛𐑼𐑱𐑑𐑩𐑛 𐑑𐑲𐑥𐑤𐑲𐑯", "column.remote": "𐑓𐑧𐑛𐑼𐑱𐑑𐑩𐑛 𐑑𐑲𐑥𐑤𐑲𐑯",
"column.scheduled_statuses": "𐑖𐑧𐑡𐑵𐑤𐑛 𐑐𐑴𐑕𐑑𐑕", "column.scheduled_statuses": "𐑖𐑧𐑡𐑵𐑤𐑛 𐑐𐑴𐑕𐑑𐑕",
"column.search": "𐑕𐑻𐑗", "column.search": "𐑕𐑻𐑗",
"column.security": "𐑕𐑦𐑒𐑘𐑫𐑼𐑦𐑑𐑦",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑒𐑩𐑯𐑓𐑦𐑜", "column.soapbox_config": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑒𐑩𐑯𐑓𐑦𐑜",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "𐑚𐑨𐑒", "column_back_button.label": "𐑚𐑨𐑒",
"column_forbidden.body": "𐑿 𐑛𐑵 𐑯𐑪𐑑 𐑣𐑨𐑝 𐑐𐑼𐑥𐑦𐑖𐑩𐑯 𐑑 𐑨𐑒𐑕𐑧𐑕 𐑞𐑦𐑕 𐑐𐑱𐑡.", "column_forbidden.body": "𐑿 𐑛𐑵 𐑯𐑪𐑑 𐑣𐑨𐑝 𐑐𐑼𐑥𐑦𐑖𐑩𐑯 𐑑 𐑨𐑒𐑕𐑧𐑕 𐑞𐑦𐑕 𐑐𐑱𐑡.",
"column_forbidden.title": "𐑓𐑼𐑚𐑦𐑛𐑩𐑯", "column_forbidden.title": "𐑓𐑼𐑚𐑦𐑛𐑩𐑯",
"column_header.show_settings": "𐑖𐑴 𐑕𐑧𐑑𐑦𐑙𐑟",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "𐑥𐑰𐑛𐑾 𐑴𐑯𐑤𐑦", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "𐑤𐑴𐑒𐑩𐑤 𐑑𐑲𐑥𐑤𐑲𐑯 𐑕𐑧𐑑𐑦𐑙𐑟", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "𐑿𐑟𐑛 {chars} 𐑬𐑑 𐑝 {maxChars} 𐑒𐑨𐑮𐑩𐑒𐑑𐑼𐑟", "compose.character_counter.title": "𐑿𐑟𐑛 {chars} 𐑬𐑑 𐑝 {maxChars} 𐑒𐑨𐑮𐑩𐑒𐑑𐑼𐑟",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "𐑿 𐑥𐑳𐑕𐑑 𐑖𐑧𐑡𐑵𐑤 𐑩 𐑐𐑴𐑕𐑑 𐑨𐑑 𐑤𐑰𐑕𐑑 5 𐑥𐑦𐑯𐑦𐑑𐑕 𐑬𐑑.", "compose.invalid_schedule": "𐑿 𐑥𐑳𐑕𐑑 𐑖𐑧𐑡𐑵𐑤 𐑩 𐑐𐑴𐑕𐑑 𐑨𐑑 𐑤𐑰𐑕𐑑 5 𐑥𐑦𐑯𐑦𐑑𐑕 𐑬𐑑.",
"compose.submit_success": "𐑘𐑹 𐑐𐑴𐑕𐑑 𐑢𐑪𐑟 𐑕𐑧𐑯𐑑", "compose.submit_success": "𐑘𐑹 𐑐𐑴𐑕𐑑 𐑢𐑪𐑟 𐑕𐑧𐑯𐑑",
"compose_form.direct_message_warning": "𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑢𐑦𐑤 𐑴𐑯𐑤𐑦 𐑚𐑰 𐑕𐑧𐑯𐑑 𐑑 𐑞 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿𐑟𐑼𐑟.", "compose_form.direct_message_warning": "𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑢𐑦𐑤 𐑴𐑯𐑤𐑦 𐑚𐑰 𐑕𐑧𐑯𐑑 𐑑 𐑞 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿𐑟𐑼𐑟.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "𐑢𐑪𐑑𐑕 𐑪𐑯 𐑘𐑹 𐑥𐑲𐑯𐑛?", "compose_form.placeholder": "𐑢𐑪𐑑𐑕 𐑪𐑯 𐑘𐑹 𐑥𐑲𐑯𐑛?",
"compose_form.poll.add_option": "𐑨𐑛 𐑩 𐑗𐑶𐑕", "compose_form.poll.add_option": "𐑨𐑛 𐑩 𐑗𐑶𐑕",
"compose_form.poll.duration": "𐑐𐑴𐑤 𐑛𐑘𐑫𐑼𐑱𐑖𐑩𐑯", "compose_form.poll.duration": "𐑐𐑴𐑤 𐑛𐑘𐑫𐑼𐑱𐑖𐑩𐑯",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "𐑗𐑶𐑕 {number}", "compose_form.poll.option_placeholder": "𐑗𐑶𐑕 {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "𐑮𐑦𐑥𐑵𐑝 𐑞𐑦𐑕 𐑗𐑶𐑕", "compose_form.poll.remove_option": "𐑮𐑦𐑥𐑵𐑝 𐑞𐑦𐑕 𐑗𐑶𐑕",
"compose_form.poll.switch_to_multiple": "𐑗𐑱𐑯𐑡 𐑐𐑴𐑤 𐑑 𐑩𐑤𐑬 𐑥𐑳𐑤𐑑𐑦𐑐𐑩𐑤 𐑗𐑶𐑕𐑩𐑟", "compose_form.poll.switch_to_multiple": "𐑗𐑱𐑯𐑡 𐑐𐑴𐑤 𐑑 𐑩𐑤𐑬 𐑥𐑳𐑤𐑑𐑦𐑐𐑩𐑤 𐑗𐑶𐑕𐑩𐑟",
"compose_form.poll.switch_to_single": "𐑗𐑱𐑯𐑡 𐑐𐑴𐑤 𐑑 𐑩𐑤𐑬 𐑓 𐑩 𐑕𐑦𐑙𐑜𐑩𐑤 𐑗𐑶𐑕", "compose_form.poll.switch_to_single": "𐑗𐑱𐑯𐑡 𐑐𐑴𐑤 𐑑 𐑩𐑤𐑬 𐑓 𐑩 𐑕𐑦𐑙𐑜𐑩𐑤 𐑗𐑶𐑕",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "𐑐𐑳𐑚𐑤𐑦𐑖", "compose_form.publish": "𐑐𐑳𐑚𐑤𐑦𐑖",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "𐑖𐑧𐑡𐑵𐑤", "compose_form.schedule": "𐑖𐑧𐑡𐑵𐑤",
"compose_form.scheduled_statuses.click_here": "𐑒𐑤𐑦𐑒 𐑣𐑽", "compose_form.scheduled_statuses.click_here": "𐑒𐑤𐑦𐑒 𐑣𐑽",
"compose_form.scheduled_statuses.message": "𐑿 𐑣𐑨𐑝 𐑖𐑧𐑡𐑵𐑤𐑛 𐑐𐑴𐑕𐑑𐑕. {click_here} 𐑑 𐑕𐑰 𐑞𐑧𐑥.", "compose_form.scheduled_statuses.message": "𐑿 𐑣𐑨𐑝 𐑖𐑧𐑡𐑵𐑤𐑛 𐑐𐑴𐑕𐑑𐑕. {click_here} 𐑑 𐑕𐑰 𐑞𐑧𐑥.",
"compose_form.sensitive.hide": "𐑥𐑸𐑒 𐑥𐑰𐑛𐑾 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"compose_form.sensitive.marked": "𐑥𐑰𐑛𐑾 𐑦𐑟 𐑥𐑸𐑒𐑑 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"compose_form.sensitive.unmarked": "𐑥𐑰𐑛𐑾 𐑦𐑟 𐑯𐑪𐑑 𐑥𐑸𐑒𐑑 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"compose_form.spoiler.marked": "𐑑𐑧𐑒𐑕𐑑 𐑦𐑟 𐑣𐑦𐑛𐑩𐑯 behind 𐑢𐑹𐑯𐑦𐑙", "compose_form.spoiler.marked": "𐑑𐑧𐑒𐑕𐑑 𐑦𐑟 𐑣𐑦𐑛𐑩𐑯 behind 𐑢𐑹𐑯𐑦𐑙",
"compose_form.spoiler.unmarked": "𐑑𐑧𐑒𐑕𐑑 𐑦𐑟 𐑯𐑪𐑑 𐑣𐑦𐑛𐑩𐑯", "compose_form.spoiler.unmarked": "𐑑𐑧𐑒𐑕𐑑 𐑦𐑟 𐑯𐑪𐑑 𐑣𐑦𐑛𐑩𐑯",
"compose_form.spoiler_placeholder": "𐑮𐑲𐑑 𐑘𐑹 𐑢𐑹𐑯𐑦𐑙 𐑣𐑽", "compose_form.spoiler_placeholder": "𐑮𐑲𐑑 𐑘𐑹 𐑢𐑹𐑯𐑦𐑙 𐑣𐑽",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "𐑒𐑨𐑯𐑕𐑩𐑤", "confirmation_modal.cancel": "𐑒𐑨𐑯𐑕𐑩𐑤",
"confirmations.admin.deactivate_user.confirm": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑 @{name}", "confirmations.admin.deactivate_user.confirm": "𐑛𐑰𐑨𐑒𐑑𐑦𐑝𐑱𐑑 @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "𐑚𐑤𐑪𐑒", "confirmations.block.confirm": "𐑚𐑤𐑪𐑒",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑚𐑤𐑪𐑒 {name}?", "confirmations.block.message": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑚𐑤𐑪𐑒 {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "𐑛𐑦𐑤𐑰𐑑", "confirmations.delete.confirm": "𐑛𐑦𐑤𐑰𐑑",
"confirmations.delete.heading": "𐑛𐑦𐑤𐑰𐑑 𐑐𐑴𐑕𐑑", "confirmations.delete.heading": "𐑛𐑦𐑤𐑰𐑑 𐑐𐑴𐑕𐑑",
"confirmations.delete.message": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑛𐑦𐑤𐑰𐑑 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑?", "confirmations.delete.message": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑛𐑦𐑤𐑰𐑑 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "𐑐𐑤𐑰𐑟 𐑗𐑧𐑒 𐑘𐑹 𐑦𐑯𐑚𐑪𐑒𐑕 𐑨𐑑 {email} 𐑓 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑦𐑯𐑕𐑑𐑮𐑳𐑒𐑖𐑩𐑯𐑟. 𐑿 𐑢𐑦𐑤 𐑯𐑰𐑛 𐑑 𐑝𐑧𐑮𐑦𐑓𐑲 𐑘𐑹 𐑰𐑥𐑱𐑤 𐑩𐑛𐑮𐑧𐑕 𐑑 𐑒𐑩𐑯𐑑𐑦𐑯𐑿.", "confirmations.register.needs_confirmation": "𐑐𐑤𐑰𐑟 𐑗𐑧𐑒 𐑘𐑹 𐑦𐑯𐑚𐑪𐑒𐑕 𐑨𐑑 {email} 𐑓 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑦𐑯𐑕𐑑𐑮𐑳𐑒𐑖𐑩𐑯𐑟. 𐑿 𐑢𐑦𐑤 𐑯𐑰𐑛 𐑑 𐑝𐑧𐑮𐑦𐑓𐑲 𐑘𐑹 𐑰𐑥𐑱𐑤 𐑩𐑛𐑮𐑧𐑕 𐑑 𐑒𐑩𐑯𐑑𐑦𐑯𐑿.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "𐑮𐑦𐑐𐑤𐑲", "confirmations.reply.confirm": "𐑮𐑦𐑐𐑤𐑲",
"confirmations.reply.message": "𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑯𐑬 𐑢𐑦𐑤 𐑴𐑝𐑼𐑲𐑑 𐑞 𐑥𐑧𐑕𐑦𐑡 𐑿 𐑸 𐑒𐑳𐑮𐑩𐑯𐑑𐑤𐑦 𐑒𐑩𐑥𐑐𐑴𐑟𐑦𐑙. 𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑐𐑮𐑩𐑕𐑰𐑛?", "confirmations.reply.message": "𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑯𐑬 𐑢𐑦𐑤 𐑴𐑝𐑼𐑲𐑑 𐑞 𐑥𐑧𐑕𐑦𐑡 𐑿 𐑸 𐑒𐑳𐑮𐑩𐑯𐑑𐑤𐑦 𐑒𐑩𐑥𐑐𐑴𐑟𐑦𐑙. 𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑐𐑮𐑩𐑕𐑰𐑛?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "𐑛𐑴𐑯𐑱𐑑 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦", "crypto_donate_panel.heading": "𐑛𐑴𐑯𐑱𐑑 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦",
"crypto_donate_panel.intro.message": "{siteTitle} 𐑩𐑒𐑕𐑧𐑐𐑑𐑕 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑛𐑴𐑯𐑱𐑖𐑩𐑯𐑟 𐑑 fund our 𐑕𐑻𐑝𐑦𐑕. 𐑔𐑨𐑙𐑒 𐑿 𐑓 𐑘𐑹 𐑕𐑩𐑐𐑹𐑑!", "crypto_donate_panel.intro.message": "{siteTitle} 𐑩𐑒𐑕𐑧𐑐𐑑𐑕 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑛𐑴𐑯𐑱𐑖𐑩𐑯𐑟 𐑑 fund our 𐑕𐑻𐑝𐑦𐑕. 𐑔𐑨𐑙𐑒 𐑿 𐑓 𐑘𐑹 𐑕𐑩𐑐𐑹𐑑!",
"datepicker.day": "Day",
"datepicker.hint": "𐑖𐑧𐑡𐑵𐑤𐑛 𐑑 𐑐𐑴𐑕𐑑 𐑨𐑑…", "datepicker.hint": "𐑖𐑧𐑡𐑵𐑤𐑛 𐑑 𐑐𐑴𐑕𐑑 𐑨𐑑…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "𐑑𐑮𐑦𐑜𐑼 𐑩𐑯 𐑧𐑮𐑼", "developers.navigation.intentional_error_label": "𐑑𐑮𐑦𐑜𐑼 𐑩𐑯 𐑧𐑮𐑼",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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": "𐑕𐑧𐑯𐑛 𐑩 𐑥𐑧𐑕𐑦𐑡 to…", "direct.search_placeholder": "𐑕𐑧𐑯𐑛 𐑩 𐑥𐑧𐑕𐑦𐑡 to…",
"directory.federated": "𐑓𐑮𐑪𐑥 𐑯𐑴𐑯 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕", "directory.federated": "𐑓𐑮𐑪𐑥 𐑯𐑴𐑯 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕",
"directory.local": "𐑓𐑮𐑪𐑥 {domain} 𐑴𐑯𐑤𐑦", "directory.local": "𐑓𐑮𐑪𐑥 {domain} 𐑴𐑯𐑤𐑦",
"directory.new_arrivals": "𐑯𐑿 𐑼𐑲𐑝𐑩𐑤𐑟", "directory.new_arrivals": "𐑯𐑿 𐑼𐑲𐑝𐑩𐑤𐑟",
"directory.recently_active": "𐑮𐑰𐑕𐑩𐑯𐑑𐑤𐑦 𐑨𐑒𐑑𐑦𐑝", "directory.recently_active": "𐑮𐑰𐑕𐑩𐑯𐑑𐑤𐑦 𐑨𐑒𐑑𐑦𐑝",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "𐑣𐑲𐑛 𐑐𐑴𐑕𐑑𐑕 𐑦𐑒𐑕𐑧𐑐𐑑 𐑑 𐑓𐑪𐑤𐑴𐑼𐑟", "edit_federation.followers_only": "𐑣𐑲𐑛 𐑐𐑴𐑕𐑑𐑕 𐑦𐑒𐑕𐑧𐑐𐑑 𐑑 𐑓𐑪𐑤𐑴𐑼𐑟",
"edit_federation.force_nsfw": "𐑓𐑹𐑕 𐑩𐑑𐑨𐑗𐑥𐑩𐑯𐑑𐑕 𐑑 𐑚𐑰 𐑥𐑸𐑒𐑑 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝", "edit_federation.force_nsfw": "𐑓𐑹𐑕 𐑩𐑑𐑨𐑗𐑥𐑩𐑯𐑑𐑕 𐑑 𐑚𐑰 𐑥𐑸𐑒𐑑 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"edit_federation.media_removal": "𐑕𐑑𐑮𐑦𐑐 𐑥𐑰𐑛𐑾", "edit_federation.media_removal": "𐑕𐑑𐑮𐑦𐑐 𐑥𐑰𐑛𐑾",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "𐑤𐑪𐑒 𐑩𐑒𐑬𐑯𐑑", "edit_profile.fields.locked_label": "𐑤𐑪𐑒 𐑩𐑒𐑬𐑯𐑑",
"edit_profile.fields.meta_fields.content_placeholder": "𐑒𐑪𐑯𐑑𐑧𐑯𐑑", "edit_profile.fields.meta_fields.content_placeholder": "𐑒𐑪𐑯𐑑𐑧𐑯𐑑",
"edit_profile.fields.meta_fields.label_placeholder": "𐑤𐑱𐑚𐑩𐑤", "edit_profile.fields.meta_fields.label_placeholder": "𐑤𐑱𐑚𐑩𐑤",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "𐑚𐑤𐑪𐑒 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 strangers", "edit_profile.fields.stranger_notifications_label": "𐑚𐑤𐑪𐑒 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF 𐑹 JPG. 𐑢𐑦𐑤 𐑚𐑰 downscaled 𐑑 {size}", "edit_profile.hints.header": "PNG, GIF 𐑹 JPG. 𐑢𐑦𐑤 𐑚𐑰 downscaled 𐑑 {size}",
"edit_profile.hints.hide_network": "𐑣𐑵 𐑿 𐑓𐑪𐑤𐑴 𐑯 𐑣𐑵 𐑓𐑪𐑤𐑴𐑟 𐑿 𐑢𐑦𐑤 𐑯𐑪𐑑 𐑚𐑰 𐑖𐑴𐑯 𐑪𐑯 𐑘𐑹 𐑐𐑮𐑴𐑓𐑲𐑤", "edit_profile.hints.hide_network": "𐑣𐑵 𐑿 𐑓𐑪𐑤𐑴 𐑯 𐑣𐑵 𐑓𐑪𐑤𐑴𐑟 𐑿 𐑢𐑦𐑤 𐑯𐑪𐑑 𐑚𐑰 𐑖𐑴𐑯 𐑪𐑯 𐑘𐑹 𐑐𐑮𐑴𐑓𐑲𐑤",
"edit_profile.hints.locked": "𐑮𐑦𐑒𐑢𐑲𐑼𐑟 𐑿 𐑑 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑩𐑐𐑮𐑵𐑝 𐑓𐑪𐑤𐑴𐑼𐑟", "edit_profile.hints.locked": "𐑮𐑦𐑒𐑢𐑲𐑼𐑟 𐑿 𐑑 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑩𐑐𐑮𐑵𐑝 𐑓𐑪𐑤𐑴𐑼𐑟",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "𐑴𐑯𐑤𐑦 𐑖𐑴 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑓𐑪𐑤𐑴", "edit_profile.hints.stranger_notifications": "𐑴𐑯𐑤𐑦 𐑖𐑴 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑓𐑪𐑤𐑴",
"edit_profile.save": "𐑕𐑱𐑝", "edit_profile.save": "𐑕𐑱𐑝",
"edit_profile.success": "𐑐𐑮𐑴𐑓𐑲𐑤 𐑕𐑱𐑝𐑛!", "edit_profile.success": "𐑐𐑮𐑴𐑓𐑲𐑤 𐑕𐑱𐑝𐑛!",
"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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": " 𐑦𐑥𐑚𐑧𐑛 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑪𐑯 𐑘𐑹 𐑢𐑧𐑚𐑕𐑲𐑑 𐑚𐑲 𐑒𐑪𐑐𐑦𐑦𐑙 𐑞 𐑒𐑴𐑛 𐑚𐑦𐑤𐑴.", "embed.instructions": " 𐑦𐑥𐑚𐑧𐑛 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑪𐑯 𐑘𐑹 𐑢𐑧𐑚𐑕𐑲𐑑 𐑚𐑲 𐑒𐑪𐑐𐑦𐑦𐑙 𐑞 𐑒𐑴𐑛 𐑚𐑦𐑤𐑴.",
"embed.preview": "𐑣𐑽 𐑦𐑟 𐑢𐑪𐑑 𐑦𐑑 𐑢𐑦𐑤 𐑤𐑫𐑒 𐑤𐑲𐑒:",
"emoji_button.activity": "𐑨𐑒𐑑𐑦𐑝𐑦𐑑𐑦", "emoji_button.activity": "𐑨𐑒𐑑𐑦𐑝𐑦𐑑𐑦",
"emoji_button.custom": "𐑒𐑳𐑕𐑑𐑩𐑥", "emoji_button.custom": "𐑒𐑳𐑕𐑑𐑩𐑥",
"emoji_button.flags": "𐑓𐑤𐑨𐑜𐑟", "emoji_button.flags": "𐑓𐑤𐑨𐑜𐑟",
@ -448,20 +503,23 @@
"empty_column.filters": "𐑿 𐑣𐑨𐑝𐑩𐑯𐑑 𐑒𐑮𐑦𐑱𐑑𐑩𐑛 𐑧𐑯𐑦 𐑥𐑿𐑑𐑩𐑛 𐑢𐑻𐑛𐑟 𐑘𐑧𐑑.", "empty_column.filters": "𐑿 𐑣𐑨𐑝𐑩𐑯𐑑 𐑒𐑮𐑦𐑱𐑑𐑩𐑛 𐑧𐑯𐑦 𐑥𐑿𐑑𐑩𐑛 𐑢𐑻𐑛𐑟 𐑘𐑧𐑑.",
"empty_column.follow_recommendations": "𐑤𐑫𐑒𐑕 𐑤𐑲𐑒 𐑯𐑴 𐑕𐑩𐑡𐑧𐑕𐑗𐑩𐑯𐑟 𐑒𐑫𐑛 𐑚𐑰 𐑡𐑧𐑯𐑼𐑱𐑑𐑩𐑛 𐑓 𐑿. 𐑿 𐑒𐑨𐑯 𐑑𐑮𐑲 𐑿𐑟𐑦𐑙 𐑕𐑻𐑗 𐑑 𐑤𐑫𐑒 𐑓 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑥𐑲𐑑 𐑯𐑴 𐑹 𐑦𐑒𐑕𐑐𐑤𐑹 𐑑𐑮𐑧𐑯𐑛𐑦𐑙 𐑣𐑨𐑖𐑑𐑨𐑜𐑟.", "empty_column.follow_recommendations": "𐑤𐑫𐑒𐑕 𐑤𐑲𐑒 𐑯𐑴 𐑕𐑩𐑡𐑧𐑕𐑗𐑩𐑯𐑟 𐑒𐑫𐑛 𐑚𐑰 𐑡𐑧𐑯𐑼𐑱𐑑𐑩𐑛 𐑓 𐑿. 𐑿 𐑒𐑨𐑯 𐑑𐑮𐑲 𐑿𐑟𐑦𐑙 𐑕𐑻𐑗 𐑑 𐑤𐑫𐑒 𐑓 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑥𐑲𐑑 𐑯𐑴 𐑹 𐑦𐑒𐑕𐑐𐑤𐑹 𐑑𐑮𐑧𐑯𐑛𐑦𐑙 𐑣𐑨𐑖𐑑𐑨𐑜𐑟.",
"empty_column.follow_requests": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑕 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑮𐑦𐑕𐑰𐑝 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.", "empty_column.follow_requests": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑕 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑮𐑦𐑕𐑰𐑝 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.",
"empty_column.group": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑦𐑯 𐑞𐑦𐑕 𐑜𐑮𐑵𐑐 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑥𐑧𐑥𐑚𐑼𐑟 𐑝 𐑞𐑦𐑕 𐑜𐑮𐑵𐑐 𐑥𐑱𐑒 𐑯𐑿 𐑐𐑴𐑕𐑑𐑕, 𐑞𐑱 𐑢𐑦𐑤 𐑩𐑐𐑽 𐑣𐑽.",
"empty_column.hashtag": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑦𐑯 𐑞𐑦𐑕 𐑣𐑨𐑖𐑑𐑨𐑜 𐑘𐑧𐑑.", "empty_column.hashtag": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑦𐑯 𐑞𐑦𐑕 𐑣𐑨𐑖𐑑𐑨𐑜 𐑘𐑧𐑑.",
"empty_column.home": "𐑘𐑹 𐑣𐑴𐑥 𐑑𐑲𐑥𐑤𐑲𐑯 𐑦𐑟 𐑧𐑥𐑐𐑑𐑦! 𐑝𐑦𐑟𐑦𐑑 {public} 𐑑 𐑜𐑧𐑑 𐑕𐑑𐑸𐑑𐑩𐑛 𐑯 𐑥𐑰𐑑 𐑳𐑞𐑼 𐑿𐑟𐑼𐑟.", "empty_column.home": "𐑘𐑹 𐑣𐑴𐑥 𐑑𐑲𐑥𐑤𐑲𐑯 𐑦𐑟 𐑧𐑥𐑐𐑑𐑦! 𐑝𐑦𐑟𐑦𐑑 {public} 𐑑 𐑜𐑧𐑑 𐑕𐑑𐑸𐑑𐑩𐑛 𐑯 𐑥𐑰𐑑 𐑳𐑞𐑼 𐑿𐑟𐑼𐑟.",
"empty_column.home.local_tab": "𐑞 {site_title} tab", "empty_column.home.local_tab": "𐑞 {site_title} tab",
"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.list": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑦𐑯 𐑞𐑦𐑕 𐑤𐑦𐑕𐑑 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑥𐑧𐑥𐑚𐑼𐑟 𐑝 𐑞𐑦𐑕 𐑤𐑦𐑕𐑑 𐑒𐑮𐑦𐑱𐑑 𐑯𐑿 𐑐𐑴𐑕𐑑𐑕, 𐑞𐑱 𐑢𐑦𐑤 𐑩𐑐𐑽 𐑣𐑽.", "empty_column.list": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑦𐑯 𐑞𐑦𐑕 𐑤𐑦𐑕𐑑 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑥𐑧𐑥𐑚𐑼𐑟 𐑝 𐑞𐑦𐑕 𐑤𐑦𐑕𐑑 𐑒𐑮𐑦𐑱𐑑 𐑯𐑿 𐑐𐑴𐑕𐑑𐑕, 𐑞𐑱 𐑢𐑦𐑤 𐑩𐑐𐑽 𐑣𐑽.",
"empty_column.lists": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑤𐑦𐑕𐑑𐑕 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑒𐑮𐑦𐑱𐑑 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.", "empty_column.lists": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑤𐑦𐑕𐑑𐑕 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑒𐑮𐑦𐑱𐑑 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.",
"empty_column.mutes": "𐑿 𐑣𐑨𐑝𐑩𐑯𐑑 𐑥𐑿𐑑𐑩𐑛 𐑧𐑯𐑦 𐑿𐑟𐑼𐑟 𐑘𐑧𐑑.", "empty_column.mutes": "𐑿 𐑣𐑨𐑝𐑩𐑯𐑑 𐑥𐑿𐑑𐑩𐑛 𐑧𐑯𐑦 𐑿𐑟𐑼𐑟 𐑘𐑧𐑑.",
"empty_column.notifications": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑘𐑧𐑑. 𐑦𐑯𐑑𐑼𐑨𐑒𐑑 𐑢𐑦𐑞 𐑳𐑞𐑼𐑟 𐑑 𐑕𐑑𐑸𐑑 𐑞 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯.", "empty_column.notifications": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑘𐑧𐑑. 𐑦𐑯𐑑𐑼𐑨𐑒𐑑 𐑢𐑦𐑞 𐑳𐑞𐑼𐑟 𐑑 𐑕𐑑𐑸𐑑 𐑞 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑣𐑽! 𐑮𐑲𐑑 𐑕𐑳𐑥𐑔𐑦𐑙 𐑐𐑳𐑚𐑤𐑦𐑒𐑤𐑦, 𐑹 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑓𐑪𐑤𐑴 𐑿𐑟𐑼𐑟 𐑓𐑮𐑪𐑥 𐑳𐑞𐑼 𐑕𐑻𐑝𐑼𐑟 𐑑 𐑓𐑦𐑤 𐑦𐑑 𐑳𐑐", "empty_column.public": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑣𐑽! 𐑮𐑲𐑑 𐑕𐑳𐑥𐑔𐑦𐑙 𐑐𐑳𐑚𐑤𐑦𐑒𐑤𐑦, 𐑹 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑓𐑪𐑤𐑴 𐑿𐑟𐑼𐑟 𐑓𐑮𐑪𐑥 𐑳𐑞𐑼 𐑕𐑻𐑝𐑼𐑟 𐑑 𐑓𐑦𐑤 𐑦𐑑 𐑳𐑐",
"empty_column.remote": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑣𐑽! 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑓𐑪𐑤𐑴 𐑿𐑟𐑼𐑟 𐑓𐑮𐑪𐑥 {instance} 𐑑 𐑓𐑦𐑤 𐑦𐑑 𐑳𐑐.", "empty_column.remote": "𐑞𐑺 𐑦𐑟 𐑯𐑳𐑔𐑦𐑙 𐑣𐑽! 𐑥𐑨𐑯𐑘𐑫𐑩𐑤𐑦 𐑓𐑪𐑤𐑴 𐑿𐑟𐑼𐑟 𐑓𐑮𐑪𐑥 {instance} 𐑑 𐑓𐑦𐑤 𐑦𐑑 𐑳𐑐.",
"empty_column.scheduled_statuses": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑖𐑧𐑡𐑵𐑤𐑛 𐑕𐑑𐑱𐑑𐑩𐑕𐑩𐑟 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑨𐑛 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.", "empty_column.scheduled_statuses": "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑖𐑧𐑡𐑵𐑤𐑛 𐑕𐑑𐑱𐑑𐑩𐑕𐑩𐑟 𐑘𐑧𐑑. 𐑢𐑧𐑯 𐑿 𐑨𐑛 𐑢𐑳𐑯, 𐑦𐑑 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑣𐑽.",
"empty_column.search.accounts": "𐑞𐑺 𐑸 𐑯𐑴 𐑐𐑰𐑐𐑩𐑤 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"", "empty_column.search.accounts": "𐑞𐑺 𐑸 𐑯𐑴 𐑐𐑰𐑐𐑩𐑤 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"",
"empty_column.search.hashtags": "𐑞𐑺 𐑸 𐑯𐑴 𐑣𐑨𐑖𐑑𐑨𐑜𐑟 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"", "empty_column.search.hashtags": "𐑞𐑺 𐑸 𐑯𐑴 𐑣𐑨𐑖𐑑𐑨𐑜𐑟 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"",
"empty_column.search.statuses": "𐑞𐑺 𐑸 𐑯𐑴 𐑐𐑴𐑕𐑑𐑕 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"", "empty_column.search.statuses": "𐑞𐑺 𐑸 𐑯𐑴 𐑐𐑴𐑕𐑑𐑕 𐑮𐑦𐑟𐑳𐑤𐑑𐑕 𐑓 \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "𐑦𐑒𐑕𐑐𐑹𐑑", "export_data.actions.export": "𐑦𐑒𐑕𐑐𐑹𐑑",
"export_data.actions.export_blocks": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑚𐑤𐑪𐑒𐑕", "export_data.actions.export_blocks": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑚𐑤𐑪𐑒𐑕",
"export_data.actions.export_follows": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑓𐑪𐑤𐑴𐑟", "export_data.actions.export_follows": "𐑦𐑒𐑕𐑐𐑹𐑑 𐑓𐑪𐑤𐑴𐑟",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "𐑛𐑴𐑯𐑑 𐑖𐑴 𐑩𐑜𐑱𐑯", "fediverse_tab.explanation_box.dismiss": "𐑛𐑴𐑯𐑑 𐑖𐑴 𐑩𐑜𐑱𐑯",
"fediverse_tab.explanation_box.explanation": "{site_title} 𐑦𐑟 𐑐𐑸𐑑 𐑝 𐑞 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕, 𐑩 𐑕𐑴𐑖𐑩𐑤 𐑯𐑧𐑑𐑢𐑻𐑒 𐑥𐑱𐑛 𐑳𐑐 𐑝 𐑔𐑬𐑟𐑩𐑯𐑛𐑟 𐑝 𐑦𐑯𐑛𐑦𐑐𐑧𐑯𐑛𐑩𐑯𐑑 𐑕𐑴𐑖𐑩𐑤 𐑥𐑰𐑛𐑾 𐑕𐑲𐑑𐑕 (aka \"𐑕𐑻𐑝𐑼𐑟\"). 𐑞 𐑐𐑴𐑕𐑑𐑕 𐑿 𐑕𐑰 𐑣𐑽 𐑸 𐑓𐑮𐑪𐑥 3rd-𐑐𐑸𐑑𐑦 𐑕𐑻𐑝𐑼𐑟. 𐑿 𐑣𐑨𐑝 𐑞 𐑓𐑮𐑰𐑛𐑩𐑥 𐑑 𐑦𐑯𐑜𐑱𐑡 𐑢𐑦𐑞 𐑞𐑧𐑥, 𐑹 𐑑 𐑚𐑤𐑪𐑒 𐑧𐑯𐑦 𐑕𐑻𐑝𐑼 𐑿 𐑛𐑴𐑯𐑑 𐑤𐑲𐑒. 𐑐𐑱 𐑩𐑑𐑧𐑯𐑖𐑩𐑯 𐑑 𐑞 𐑓𐑫𐑤 𐑿𐑟𐑼𐑯𐑱𐑥 𐑭𐑓𐑑𐑼 𐑞 𐑕𐑧𐑒𐑩𐑯𐑛 @ 𐑕𐑦𐑥𐑚𐑩𐑤 𐑑 𐑯𐑴 𐑢𐑦𐑗 𐑕𐑻𐑝𐑼 𐑩 𐑐𐑴𐑕𐑑 𐑦𐑟 𐑓𐑮𐑪𐑥. 𐑑 𐑕𐑰 𐑴𐑯𐑤𐑦 {site_title} 𐑐𐑴𐑕𐑑𐑕, 𐑝𐑦𐑟𐑦𐑑 {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} 𐑦𐑟 𐑐𐑸𐑑 𐑝 𐑞 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕, 𐑩 𐑕𐑴𐑖𐑩𐑤 𐑯𐑧𐑑𐑢𐑻𐑒 𐑥𐑱𐑛 𐑳𐑐 𐑝 𐑔𐑬𐑟𐑩𐑯𐑛𐑟 𐑝 𐑦𐑯𐑛𐑦𐑐𐑧𐑯𐑛𐑩𐑯𐑑 𐑕𐑴𐑖𐑩𐑤 𐑥𐑰𐑛𐑾 𐑕𐑲𐑑𐑕 (aka \"𐑕𐑻𐑝𐑼𐑟\"). 𐑞 𐑐𐑴𐑕𐑑𐑕 𐑿 𐑕𐑰 𐑣𐑽 𐑸 𐑓𐑮𐑪𐑥 3rd-𐑐𐑸𐑑𐑦 𐑕𐑻𐑝𐑼𐑟. 𐑿 𐑣𐑨𐑝 𐑞 𐑓𐑮𐑰𐑛𐑩𐑥 𐑑 𐑦𐑯𐑜𐑱𐑡 𐑢𐑦𐑞 𐑞𐑧𐑥, 𐑹 𐑑 𐑚𐑤𐑪𐑒 𐑧𐑯𐑦 𐑕𐑻𐑝𐑼 𐑿 𐑛𐑴𐑯𐑑 𐑤𐑲𐑒. 𐑐𐑱 𐑩𐑑𐑧𐑯𐑖𐑩𐑯 𐑑 𐑞 𐑓𐑫𐑤 𐑿𐑟𐑼𐑯𐑱𐑥 𐑭𐑓𐑑𐑼 𐑞 𐑕𐑧𐑒𐑩𐑯𐑛 @ 𐑕𐑦𐑥𐑚𐑩𐑤 𐑑 𐑯𐑴 𐑢𐑦𐑗 𐑕𐑻𐑝𐑼 𐑩 𐑐𐑴𐑕𐑑 𐑦𐑟 𐑓𐑮𐑪𐑥. 𐑑 𐑕𐑰 𐑴𐑯𐑤𐑦 {site_title} 𐑐𐑴𐑕𐑑𐑕, 𐑝𐑦𐑟𐑦𐑑 {local}.",
"fediverse_tab.explanation_box.title": "𐑢𐑪𐑑 𐑦𐑟 𐑞 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕?", "fediverse_tab.explanation_box.title": "𐑢𐑪𐑑 𐑦𐑟 𐑞 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "𐑓𐑦𐑤𐑑𐑼 𐑨𐑛𐑩𐑛.", "filters.added": "𐑓𐑦𐑤𐑑𐑼 𐑨𐑛𐑩𐑛.",
"filters.context_header": "𐑓𐑦𐑤𐑑𐑼 𐑒𐑪𐑯𐑑𐑧𐑒𐑕𐑑𐑕", "filters.context_header": "𐑓𐑦𐑤𐑑𐑼 𐑒𐑪𐑯𐑑𐑧𐑒𐑕𐑑𐑕",
"filters.context_hint": "𐑢𐑳𐑯 𐑹 𐑥𐑳𐑤𐑑𐑦𐑐𐑩𐑤 𐑒𐑪𐑯𐑑𐑧𐑒𐑕𐑑𐑕 𐑢𐑺 𐑞 𐑓𐑦𐑤𐑑𐑼 𐑖𐑫𐑛 𐑩𐑐𐑤𐑲", "filters.context_hint": "𐑢𐑳𐑯 𐑹 𐑥𐑳𐑤𐑑𐑦𐑐𐑩𐑤 𐑒𐑪𐑯𐑑𐑧𐑒𐑕𐑑𐑕 𐑢𐑺 𐑞 𐑓𐑦𐑤𐑑𐑼 𐑖𐑫𐑛 𐑩𐑐𐑤𐑲",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "𐑒𐑰𐑢𐑻𐑛 𐑹 𐑓𐑮𐑱𐑟:", "filters.filters_list_phrase_label": "𐑒𐑰𐑢𐑻𐑛 𐑹 𐑓𐑮𐑱𐑟:",
"filters.filters_list_whole-word": "𐑣𐑴𐑤 𐑢𐑻𐑛", "filters.filters_list_whole-word": "𐑣𐑴𐑤 𐑢𐑻𐑛",
"filters.removed": "𐑓𐑦𐑤𐑑𐑼 𐑛𐑦𐑤𐑰𐑑𐑩𐑛.", "filters.removed": "𐑓𐑦𐑤𐑑𐑼 𐑛𐑦𐑤𐑰𐑑𐑩𐑛.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "𐑛𐑳𐑯",
"follow_recommendations.heading": "𐑓𐑪𐑤𐑴 𐑐𐑰𐑐𐑩𐑤 𐑿𐑛 𐑤𐑲𐑒 𐑑 𐑕𐑰 𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥! 𐑣𐑽 𐑸 𐑕𐑳𐑥 𐑕𐑩𐑡𐑧𐑕𐑗𐑩𐑯𐑟.",
"follow_recommendations.lead": "𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑓𐑪𐑤𐑴 𐑢𐑦𐑤 𐑖𐑴 𐑳𐑐 𐑦𐑯 𐑒𐑮𐑪𐑯𐑩𐑤𐑪𐑡𐑦𐑒𐑩𐑤 𐑹𐑛𐑼 𐑪𐑯 𐑘𐑹 𐑣𐑴𐑥 𐑓𐑰𐑛. 𐑛𐑴𐑯𐑑 𐑚𐑰 𐑩𐑓𐑮𐑱𐑛 𐑑 𐑥𐑱𐑒 𐑥𐑦𐑕𐑑𐑱𐑒𐑕, 𐑿 𐑒𐑨𐑯 𐑳𐑯𐑓𐑪𐑤𐑴 𐑐𐑰𐑐𐑩𐑤 𐑡𐑳𐑕𐑑 𐑨𐑟 𐑰𐑟𐑦𐑤𐑦 𐑧𐑯𐑦 𐑑𐑲𐑥!",
"follow_request.authorize": "𐑷𐑔𐑼𐑲𐑟", "follow_request.authorize": "𐑷𐑔𐑼𐑲𐑟",
"follow_request.reject": "𐑮𐑦𐑡𐑧𐑒𐑑", "follow_request.reject": "𐑮𐑦𐑡𐑧𐑒𐑑",
"forms.copy": "𐑒𐑪𐑐𐑦", "gdpr.accept": "Accept",
"forms.hide_password": "𐑣𐑲𐑛 𐑐𐑭𐑕𐑢𐑻𐑛", "gdpr.learn_more": "Learn more",
"forms.show_password": "𐑖𐑴 𐑐𐑭𐑕𐑢𐑻𐑛", "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} 𐑦𐑟 𐑴𐑐𐑩𐑯 𐑕𐑹𐑕 𐑕𐑪𐑓𐑑𐑢𐑺. 𐑿 𐑒𐑨𐑯 𐑒𐑩𐑯𐑑𐑮𐑦𐑚𐑿𐑑 𐑹 𐑮𐑦𐑐𐑹𐑑 𐑦𐑖𐑵𐑟 𐑨𐑑 {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} 𐑦𐑟 𐑴𐑐𐑩𐑯 𐑕𐑹𐑕 𐑕𐑪𐑓𐑑𐑢𐑺. 𐑿 𐑒𐑨𐑯 𐑒𐑩𐑯𐑑𐑮𐑦𐑚𐑿𐑑 𐑹 𐑮𐑦𐑐𐑹𐑑 𐑦𐑖𐑵𐑟 𐑨𐑑 {code_link} (v{code_version}).",
"group.detail.archived_group": "𐑸𐑒𐑲𐑝𐑛 𐑜𐑮𐑵𐑐",
"group.members.empty": "𐑞𐑦𐑕 𐑜𐑮𐑵𐑐 𐑛𐑳𐑟 𐑯𐑪𐑑 𐑣𐑨𐑟 𐑧𐑯𐑦 𐑥𐑧𐑥𐑚𐑼𐑟.",
"group.removed_accounts.empty": "𐑞𐑦𐑕 𐑜𐑮𐑵𐑐 𐑛𐑳𐑟 𐑯𐑪𐑑 𐑣𐑨𐑟 𐑧𐑯𐑦 𐑮𐑦𐑥𐑵𐑝𐑛 𐑩𐑒𐑬𐑯𐑑𐑕.",
"groups.card.join": "𐑡𐑶𐑯",
"groups.card.members": "𐑥𐑧𐑥𐑚𐑼𐑟",
"groups.card.roles.admin": "𐑘𐑫𐑼 𐑩𐑯 𐑨𐑛𐑥𐑦𐑯",
"groups.card.roles.member": "𐑘𐑫𐑼 𐑩 𐑥𐑧𐑥𐑚𐑼",
"groups.card.view": "𐑝𐑿",
"groups.create": "𐑒𐑮𐑦𐑱𐑑 𐑜𐑮𐑵𐑐",
"groups.detail.role_admin": "𐑘𐑫𐑼 𐑩𐑯 𐑨𐑛𐑥𐑦𐑯",
"groups.edit": "𐑧𐑛𐑦𐑑",
"groups.form.coverImage": "𐑳𐑐𐑤𐑴𐑛 𐑯𐑿 𐑚𐑨𐑯𐑼 𐑦𐑥𐑦𐑡 (𐑪𐑐𐑖𐑩𐑯𐑩𐑤)",
"groups.form.coverImageChange": "𐑚𐑨𐑯𐑼 𐑦𐑥𐑦𐑡 𐑕𐑦𐑤𐑧𐑒𐑑𐑩𐑛",
"groups.form.create": "𐑒𐑮𐑦𐑱𐑑 𐑜𐑮𐑵𐑐",
"groups.form.description": "𐑛𐑦𐑕𐑒𐑮𐑦𐑐𐑖𐑩𐑯",
"groups.form.title": "𐑑𐑲𐑑𐑩𐑤",
"groups.form.update": "𐑳𐑐𐑛𐑱𐑑 𐑜𐑮𐑵𐑐",
"groups.join": "𐑡𐑶𐑯 𐑜𐑮𐑵𐑐",
"groups.leave": "𐑤𐑰𐑝 𐑜𐑮𐑵𐑐",
"groups.removed_accounts": "𐑮𐑦𐑥𐑵𐑝𐑛 𐑩𐑒𐑬𐑯𐑑𐑕",
"groups.sidebar-panel.item.no_recent_activity": "𐑯𐑴 𐑮𐑰𐑕𐑩𐑯𐑑 𐑨𐑒𐑑𐑦𐑝𐑦𐑑𐑦",
"groups.sidebar-panel.item.view": "𐑯𐑿 𐑐𐑴𐑕𐑑𐑕",
"groups.sidebar-panel.show_all": "𐑖𐑴 𐑷𐑤",
"groups.sidebar-panel.title": "𐑜𐑮𐑵𐑐𐑕 𐑘𐑫𐑼 𐑦𐑯",
"groups.tab_admin": "𐑥𐑨𐑯𐑦𐑡",
"groups.tab_featured": "𐑓𐑰𐑗𐑼𐑛",
"groups.tab_member": "𐑥𐑧𐑥𐑚𐑼",
"hashtag.column_header.tag_mode.all": "𐑯 {additional}", "hashtag.column_header.tag_mode.all": "𐑯 {additional}",
"hashtag.column_header.tag_mode.any": "𐑹 {additional}", "hashtag.column_header.tag_mode.any": "𐑹 {additional}",
"hashtag.column_header.tag_mode.none": "𐑢𐑦𐑞𐑬𐑑 {additional}", "hashtag.column_header.tag_mode.none": "𐑢𐑦𐑞𐑬𐑑 {additional}",
@ -543,11 +574,10 @@
"header.login.label": "𐑤𐑪𐑜 𐑦𐑯", "header.login.label": "𐑤𐑪𐑜 𐑦𐑯",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "𐑖𐑴 𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡𐑩𐑟",
"home.column_settings.show_reblogs": "𐑖𐑴 𐑮𐑰𐑐𐑴𐑕𐑑𐑕", "home.column_settings.show_reblogs": "𐑖𐑴 𐑮𐑰𐑐𐑴𐑕𐑑𐑕",
"home.column_settings.show_replies": "𐑖𐑴 𐑮𐑦𐑐𐑤𐑲𐑟", "home.column_settings.show_replies": "𐑖𐑴 𐑮𐑦𐑐𐑤𐑲𐑟",
"home.column_settings.title": "𐑣𐑴𐑥 𐑕𐑧𐑑𐑦𐑙𐑟",
"icon_button.icons": "𐑲𐑒𐑪𐑯𐑟", "icon_button.icons": "𐑲𐑒𐑪𐑯𐑟",
"icon_button.label": "𐑕𐑦𐑤𐑧𐑒𐑑 𐑲𐑒𐑪𐑯", "icon_button.label": "𐑕𐑦𐑤𐑧𐑒𐑑 𐑲𐑒𐑪𐑯",
"icon_button.not_found": "𐑯𐑴 𐑲𐑒𐑪𐑯𐑟!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "𐑯𐑴 𐑲𐑒𐑪𐑯𐑟!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "𐑚𐑤𐑪𐑒𐑕 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦", "import_data.success.blocks": "𐑚𐑤𐑪𐑒𐑕 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦",
"import_data.success.followers": "𐑓𐑪𐑤𐑴𐑼𐑟 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦", "import_data.success.followers": "𐑓𐑪𐑤𐑴𐑼𐑟 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦",
"import_data.success.mutes": "𐑥𐑿𐑑𐑕 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦", "import_data.success.mutes": "𐑥𐑿𐑑𐑕 𐑦𐑥𐑐𐑹𐑑𐑩𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "𐑯𐑧𐑒𐑕𐑑",
"introduction.federation.home.headline": "𐑣𐑴𐑥",
"introduction.federation.home.text": "𐑐𐑴𐑕𐑑𐑕 𐑓𐑮𐑪𐑥 𐑐𐑰𐑐𐑩𐑤 𐑿 𐑓𐑪𐑤𐑴 𐑢𐑦𐑤 𐑩𐑐𐑽 𐑦𐑯 𐑘𐑹 𐑣𐑴𐑥 𐑓𐑰𐑛. 𐑿 𐑒𐑨𐑯 𐑓𐑪𐑤𐑴 𐑧𐑯𐑦𐑢𐑳𐑯 𐑪𐑯 𐑧𐑯𐑦 𐑕𐑻𐑝𐑼!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "𐑓𐑱𐑝𐑼𐑦𐑑",
"introduction.interactions.favourite.text": "𐑿 𐑒𐑨𐑯 𐑕𐑱𐑝 𐑩 𐑐𐑴𐑕𐑑 𐑓 𐑤𐑱𐑑𐑼, 𐑯 let 𐑞 𐑷𐑔𐑼 𐑯𐑴 𐑞𐑨𐑑 𐑿 𐑤𐑲𐑒𐑑 𐑦𐑑, 𐑚𐑲 𐑓𐑱𐑝𐑼𐑦𐑑𐑦𐑙 𐑦𐑑.",
"introduction.interactions.reblog.headline": "𐑮𐑰𐑐𐑴𐑕𐑑",
"introduction.interactions.reblog.text": "𐑿 𐑒𐑨𐑯 𐑖𐑺 𐑳𐑞𐑼 𐑐𐑰𐑐𐑩𐑤𐑟 𐑐𐑴𐑕𐑑𐑕 𐑢𐑦𐑞 𐑘𐑹 𐑓𐑪𐑤𐑴𐑼𐑟 𐑚𐑲 𐑮𐑰𐑐𐑴𐑕𐑑𐑦𐑙 𐑞𐑧𐑥.",
"introduction.interactions.reply.headline": "𐑮𐑦𐑐𐑤𐑲",
"introduction.interactions.reply.text": "𐑿 𐑒𐑨𐑯 𐑮𐑦𐑐𐑤𐑲 𐑑 𐑳𐑞𐑼 𐑐𐑰𐑐𐑩𐑤𐑟 𐑯 𐑘𐑹 𐑴𐑯 𐑐𐑴𐑕𐑑𐑕, 𐑢𐑦𐑗 𐑢𐑦𐑤 chain 𐑞𐑧𐑥 𐑑𐑩𐑜𐑧𐑞𐑼 𐑦𐑯 𐑩 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯.",
"introduction.welcome.action": "𐑤𐑧𐑑𐑕 𐑜𐑴!",
"introduction.welcome.headline": "𐑓𐑻𐑕𐑑 𐑕𐑑𐑧𐑐𐑕",
"introduction.welcome.text": "𐑢𐑧𐑤𐑒𐑩𐑥 𐑑 𐑞 ·𐑓𐑧𐑛𐑦𐑝𐑻𐑕! 𐑦𐑯 𐑩 𐑓𐑿 𐑥𐑴𐑥𐑩𐑯𐑑𐑕, 𐑿𐑤 𐑚𐑰 𐑱𐑚𐑩𐑤 𐑑 𐑚𐑮𐑷𐑛𐑒𐑭𐑕𐑑 𐑥𐑧𐑕𐑦𐑡𐑩𐑟 𐑯 𐑑𐑷𐑒 𐑑 𐑘𐑹 𐑓𐑮𐑧𐑯𐑛𐑟 𐑩𐑒𐑮𐑪𐑕 𐑩 𐑢𐑲𐑛 𐑝𐑼𐑲𐑩𐑑𐑦 𐑝 𐑕𐑻𐑝𐑼𐑟. 𐑚𐑳𐑑 𐑞𐑦𐑕 𐑕𐑻𐑝𐑼, {domain}, 𐑦𐑟 special—it 𐑣𐑴𐑕𐑑𐑕 𐑘𐑹 𐑐𐑮𐑴𐑓𐑲𐑤, so 𐑮𐑦𐑥𐑧𐑥𐑚𐑼 𐑦𐑑𐑕 𐑯𐑱𐑥.",
"keyboard_shortcuts.back": "𐑑 𐑯𐑨𐑝𐑦𐑜𐑱𐑑 𐑚𐑨𐑒", "keyboard_shortcuts.back": "𐑑 𐑯𐑨𐑝𐑦𐑜𐑱𐑑 𐑚𐑨𐑒",
"keyboard_shortcuts.blocked": "𐑑 𐑴𐑐𐑩𐑯 𐑚𐑤𐑪𐑒𐑑 𐑿𐑟𐑼𐑟 𐑤𐑦𐑕𐑑", "keyboard_shortcuts.blocked": "𐑑 𐑴𐑐𐑩𐑯 𐑚𐑤𐑪𐑒𐑑 𐑿𐑟𐑼𐑟 𐑤𐑦𐑕𐑑",
"keyboard_shortcuts.boost": "𐑑 𐑮𐑰𐑐𐑴𐑕𐑑", "keyboard_shortcuts.boost": "𐑑 𐑮𐑰𐑐𐑴𐑕𐑑",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "𐑤𐑪𐑜 𐑦𐑯", "login.log_in": "𐑤𐑪𐑜 𐑦𐑯",
"login.otp_log_in": "OTP 𐑤𐑪𐑜𐑦𐑯", "login.otp_log_in": "OTP 𐑤𐑪𐑜𐑦𐑯",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "𐑑𐑮𐑳𐑚𐑩𐑤 𐑤𐑪𐑜𐑦𐑙 𐑦𐑯?", "login.reset_password_hint": "𐑑𐑮𐑳𐑚𐑩𐑤 𐑤𐑪𐑜𐑦𐑙 𐑦𐑯?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "𐑑𐑪𐑜𐑩𐑤 𐑝𐑦𐑟𐑩𐑚𐑦𐑤𐑦𐑑𐑦", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "𐑯𐑴 𐑥𐑰𐑛𐑾 𐑓𐑬𐑯𐑛.", "media_panel.empty_message": "𐑯𐑴 𐑥𐑰𐑛𐑾 𐑓𐑬𐑯𐑛.",
"media_panel.title": "𐑥𐑰𐑛𐑾", "media_panel.title": "𐑥𐑰𐑛𐑾",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "𐑧𐑯𐑑𐑼 𐑘𐑹 𐑒𐑳𐑮𐑩𐑯𐑑 𐑐𐑭𐑕𐑢𐑻𐑛 𐑑 𐑛𐑦𐑕𐑱𐑚𐑩𐑤 two-factor auth.", "mfa.mfa_disable_enter_password": "𐑧𐑯𐑑𐑼 𐑘𐑹 𐑒𐑳𐑮𐑩𐑯𐑑 𐑐𐑭𐑕𐑢𐑻𐑛 𐑑 𐑛𐑦𐑕𐑱𐑚𐑩𐑤 two-factor auth.",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "𐑒𐑨𐑯𐑕𐑩𐑤", "missing_description_modal.cancel": "𐑒𐑨𐑯𐑕𐑩𐑤",
@ -671,23 +696,32 @@
"missing_description_modal.text": "𐑿 𐑣𐑨𐑝 𐑯𐑪𐑑 𐑧𐑯𐑑𐑼𐑛 𐑩 𐑛𐑦𐑕𐑒𐑮𐑦𐑐𐑖𐑩𐑯 𐑓 𐑷𐑤 𐑩𐑑𐑨𐑗𐑥𐑩𐑯𐑑𐑕.", "missing_description_modal.text": "𐑿 𐑣𐑨𐑝 𐑯𐑪𐑑 𐑧𐑯𐑑𐑼𐑛 𐑩 𐑛𐑦𐑕𐑒𐑮𐑦𐑐𐑖𐑩𐑯 𐑓 𐑷𐑤 𐑩𐑑𐑨𐑗𐑥𐑩𐑯𐑑𐑕.",
"missing_indicator.label": "𐑯𐑪𐑑 𐑓𐑬𐑯𐑛", "missing_indicator.label": "𐑯𐑪𐑑 𐑓𐑬𐑯𐑛",
"missing_indicator.sublabel": "𐑞𐑦𐑕 𐑮𐑦𐑟𐑹𐑕 𐑒𐑫𐑛 𐑯𐑪𐑑 𐑚𐑰 𐑓𐑬𐑯𐑛", "missing_indicator.sublabel": "𐑞𐑦𐑕 𐑮𐑦𐑟𐑹𐑕 𐑒𐑫𐑛 𐑯𐑪𐑑 𐑚𐑰 𐑓𐑬𐑯𐑛",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…𐑯 {count} 𐑥𐑹 {count, plural, one {follower} other {followers}} 𐑪𐑯 𐑮𐑦𐑥𐑴𐑑 𐑕𐑲𐑑𐑕.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…𐑯 {count} 𐑥𐑹 {count, plural, one {follow} other {follows}} 𐑪𐑯 𐑮𐑦𐑥𐑴𐑑 𐑕𐑲𐑑𐑕.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "𐑣𐑲𐑛 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 𐑞𐑦𐑕 𐑿𐑟𐑼?", "mute_modal.hide_notifications": "𐑣𐑲𐑛 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟 𐑓𐑮𐑪𐑥 𐑞𐑦𐑕 𐑿𐑟𐑼?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "𐑗𐑨𐑑𐑕", "navigation.chats": "𐑗𐑨𐑑𐑕",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛", "navigation.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛",
"navigation.developers": "𐑛𐑦𐑝𐑧𐑤𐑩𐑐𐑼𐑟", "navigation.developers": "𐑛𐑦𐑝𐑧𐑤𐑩𐑐𐑼𐑟",
"navigation.direct_messages": "𐑥𐑧𐑕𐑦𐑡𐑩𐑟", "navigation.direct_messages": "𐑥𐑧𐑕𐑦𐑡𐑩𐑟",
"navigation.home": "𐑣𐑴𐑥", "navigation.home": "𐑣𐑴𐑥",
"navigation.invites": "𐑦𐑯𐑝𐑲𐑑𐑕",
"navigation.notifications": "𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟", "navigation.notifications": "𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"navigation.search": "𐑕𐑻𐑗", "navigation.search": "𐑕𐑻𐑗",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "𐑚𐑤𐑪𐑒𐑕", "navigation_bar.blocks": "𐑚𐑤𐑪𐑒𐑕",
"navigation_bar.compose": "𐑒𐑩𐑥𐑐𐑴𐑟 𐑯𐑿 𐑐𐑴𐑕𐑑", "navigation_bar.compose": "𐑒𐑩𐑥𐑐𐑴𐑟 𐑯𐑿 𐑐𐑴𐑕𐑑",
"navigation_bar.compose_direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡", "navigation_bar.compose_direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "𐑮𐑦𐑐𐑤𐑲 𐑑 𐑐𐑴𐑕𐑑", "navigation_bar.compose_reply": "𐑮𐑦𐑐𐑤𐑲 𐑑 𐑐𐑴𐑕𐑑",
"navigation_bar.domain_blocks": "𐑛𐑴𐑥𐑱𐑯 𐑚𐑤𐑪𐑒𐑕", "navigation_bar.domain_blocks": "𐑛𐑴𐑥𐑱𐑯 𐑚𐑤𐑪𐑒𐑕",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "𐑥𐑿𐑑𐑕", "navigation_bar.mutes": "𐑥𐑿𐑑𐑕",
"navigation_bar.preferences": "𐑐𐑮𐑧𐑓𐑼𐑩𐑯𐑕𐑩𐑟", "navigation_bar.preferences": "𐑐𐑮𐑧𐑓𐑼𐑩𐑯𐑕𐑩𐑟",
"navigation_bar.profile_directory": "𐑐𐑮𐑴𐑓𐑲𐑤 𐑛𐑦𐑮𐑧𐑒𐑑𐑼𐑦", "navigation_bar.profile_directory": "𐑐𐑮𐑴𐑓𐑲𐑤 𐑛𐑦𐑮𐑧𐑒𐑑𐑼𐑦",
"navigation_bar.security": "𐑕𐑦𐑒𐑘𐑫𐑼𐑦𐑑𐑦",
"navigation_bar.soapbox_config": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑒𐑩𐑯𐑓𐑦𐑜", "navigation_bar.soapbox_config": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑒𐑩𐑯𐑓𐑦𐑜",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} 𐑕𐑧𐑯𐑑 𐑿 𐑩 𐑥𐑧𐑕𐑦𐑡",
"notification.favourite": "{name} 𐑤𐑲𐑒𐑑 𐑘𐑹 𐑐𐑴𐑕𐑑", "notification.favourite": "{name} 𐑤𐑲𐑒𐑑 𐑘𐑹 𐑐𐑴𐑕𐑑",
"notification.follow": "{name} 𐑓𐑪𐑤𐑴𐑛 𐑿", "notification.follow": "{name} 𐑓𐑪𐑤𐑴𐑛 𐑿",
"notification.follow_request": "{name} 𐑣𐑨𐑟 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑩𐑛 𐑑 𐑓𐑪𐑤𐑴 𐑿", "notification.follow_request": "{name} 𐑣𐑨𐑟 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑩𐑛 𐑑 𐑓𐑪𐑤𐑴 𐑿",
"notification.mention": "{name} 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿", "notification.mention": "{name} 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} 𐑥𐑵𐑝𐑛 𐑑 {targetName}", "notification.move": "{name} 𐑥𐑵𐑝𐑛 𐑑 {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} 𐑕𐑧𐑯𐑑 𐑿 𐑩 𐑥𐑧𐑕𐑦𐑡",
"notification.pleroma:emoji_reaction": "{name} 𐑮𐑦𐑨𐑒𐑑𐑩𐑛 𐑑 𐑘𐑹 𐑐𐑴𐑕𐑑", "notification.pleroma:emoji_reaction": "{name} 𐑮𐑦𐑨𐑒𐑑𐑩𐑛 𐑑 𐑘𐑹 𐑐𐑴𐑕𐑑",
"notification.poll": "A 𐑐𐑴𐑤 𐑿 𐑣𐑨𐑝 𐑝𐑴𐑑𐑩𐑛 𐑦𐑯 𐑣𐑨𐑟 𐑧𐑯𐑛𐑩𐑛", "notification.poll": "A 𐑐𐑴𐑤 𐑿 𐑣𐑨𐑝 𐑝𐑴𐑑𐑩𐑛 𐑦𐑯 𐑣𐑨𐑟 𐑧𐑯𐑛𐑩𐑛",
"notification.reblog": "{name} 𐑮𐑰𐑐𐑴𐑕𐑑𐑩𐑛 𐑘𐑹 𐑐𐑴𐑕𐑑", "notification.reblog": "{name} 𐑮𐑰𐑐𐑴𐑕𐑑𐑩𐑛 𐑘𐑹 𐑐𐑴𐑕𐑑",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "𐑒𐑤𐑽 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "𐑸 𐑿 𐑖𐑫𐑼 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑐𐑻𐑥𐑩𐑯𐑩𐑯𐑑𐑤𐑦 𐑒𐑤𐑽 𐑷𐑤 𐑘𐑹 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "𐑛𐑧𐑕𐑒𐑑𐑪𐑐 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "𐑦𐑥𐑴𐑡𐑦 𐑮𐑦𐑨𐑒𐑑𐑕:",
"notifications.column_settings.favourite": "𐑤𐑲𐑒𐑕:",
"notifications.column_settings.filter_bar.advanced": "𐑛𐑦𐑕𐑐𐑤𐑱 𐑷𐑤 𐑒𐑨𐑑𐑩𐑜𐑼𐑦𐑟",
"notifications.column_settings.filter_bar.category": "𐑒𐑢𐑦𐑒 𐑓𐑦𐑤𐑑𐑼 𐑚𐑸",
"notifications.column_settings.filter_bar.show": "𐑖𐑴",
"notifications.column_settings.follow": "𐑯𐑿 𐑓𐑪𐑤𐑴𐑼𐑟:",
"notifications.column_settings.follow_request": "𐑯𐑿 𐑓𐑪𐑤𐑴 𐑮𐑦𐑒𐑢𐑧𐑕𐑑𐑕:",
"notifications.column_settings.mention": "𐑥𐑧𐑯𐑖𐑩𐑯𐑟:",
"notifications.column_settings.move": "𐑥𐑵𐑝𐑟:",
"notifications.column_settings.poll": "𐑐𐑴𐑤 𐑮𐑦𐑟𐑳𐑤𐑑𐑕:",
"notifications.column_settings.push": "𐑐𐑫𐑖 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"notifications.column_settings.reblog": "𐑮𐑰𐑐𐑴𐑕𐑑𐑕:",
"notifications.column_settings.show": "𐑖𐑴 𐑦𐑯 𐑒𐑪𐑤𐑩𐑥",
"notifications.column_settings.sound": "𐑐𐑤𐑱 𐑕𐑬𐑯𐑛",
"notifications.column_settings.sounds": "𐑕𐑬𐑯𐑛𐑟",
"notifications.column_settings.sounds.all_sounds": "𐑐𐑤𐑱 𐑕𐑬𐑯𐑛 𐑓 𐑷𐑤 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"notifications.column_settings.title": "𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯 𐑕𐑧𐑑𐑦𐑙𐑟",
"notifications.filter.all": "𐑷𐑤", "notifications.filter.all": "𐑷𐑤",
"notifications.filter.boosts": "𐑮𐑰𐑐𐑴𐑕𐑑𐑕", "notifications.filter.boosts": "𐑮𐑰𐑐𐑴𐑕𐑑𐑕",
"notifications.filter.emoji_reacts": "𐑦𐑥𐑴𐑡𐑦 𐑮𐑦𐑨𐑒𐑑𐑕", "notifications.filter.emoji_reacts": "𐑦𐑥𐑴𐑡𐑦 𐑮𐑦𐑨𐑒𐑑𐑕",
"notifications.filter.favourites": "𐑤𐑲𐑒𐑕", "notifications.filter.favourites": "𐑤𐑲𐑒𐑕",
"notifications.filter.follows": "𐑓𐑪𐑤𐑴𐑟", "notifications.filter.follows": "𐑓𐑪𐑤𐑴𐑟",
"notifications.filter.mentions": "𐑥𐑧𐑯𐑖𐑩𐑯𐑟", "notifications.filter.mentions": "𐑥𐑧𐑯𐑖𐑩𐑯𐑟",
"notifications.filter.moves": "𐑥𐑵𐑝𐑟",
"notifications.filter.polls": "𐑐𐑴𐑤 𐑮𐑦𐑟𐑳𐑤𐑑𐑕", "notifications.filter.polls": "𐑐𐑴𐑤 𐑮𐑦𐑟𐑳𐑤𐑑𐑕",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟", "notifications.group": "{count} 𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"notifications.queue_label": "𐑒𐑤𐑦𐑒 𐑑 𐑕𐑰 {count} 𐑯𐑿 {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "𐑒𐑤𐑦𐑒 𐑑 𐑕𐑰 {count} 𐑯𐑿 {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "𐑗𐑧𐑒 𐑘𐑹 𐑰𐑥𐑱𐑤 𐑓 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯.", "password_reset.confirmation": "𐑗𐑧𐑒 𐑘𐑹 𐑰𐑥𐑱𐑤 𐑓 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯.",
"password_reset.fields.username_placeholder": "𐑰𐑥𐑱𐑤 𐑹 𐑿𐑟𐑼𐑯𐑱𐑥", "password_reset.fields.username_placeholder": "𐑰𐑥𐑱𐑤 𐑹 𐑿𐑟𐑼𐑯𐑱𐑥",
"password_reset.header": "Reset Password",
"password_reset.reset": "𐑮𐑰𐑕𐑧𐑑 𐑐𐑭𐑕𐑢𐑻𐑛", "password_reset.reset": "𐑮𐑰𐑕𐑧𐑑 𐑐𐑭𐑕𐑢𐑻𐑛",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "𐑯𐑴 𐑐𐑦𐑯𐑟 𐑑 𐑖𐑴.", "pinned_statuses.none": "𐑯𐑴 𐑐𐑦𐑯𐑟 𐑑 𐑖𐑴.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "𐑒𐑤𐑴𐑟𐑛", "poll.closed": "𐑒𐑤𐑴𐑟𐑛",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "𐑮𐑦𐑓𐑮𐑧𐑖", "poll.refresh": "𐑮𐑦𐑓𐑮𐑧𐑖",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "𐑝𐑴𐑑", "poll.vote": "𐑝𐑴𐑑",
"poll.voted": "𐑿 𐑝𐑴𐑑𐑩𐑛 𐑓 𐑞𐑦𐑕 answer", "poll.voted": "𐑿 𐑝𐑴𐑑𐑩𐑛 𐑓 𐑞𐑦𐑕 answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "𐑨𐑛 𐑩 𐑐𐑴𐑤", "poll_button.add_poll": "𐑨𐑛 𐑩 𐑐𐑴𐑤",
"poll_button.remove_poll": "𐑮𐑦𐑥𐑵𐑝 𐑐𐑴𐑤", "poll_button.remove_poll": "𐑮𐑦𐑥𐑵𐑝 𐑐𐑴𐑤",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "𐑷𐑑𐑴-𐑐𐑤𐑱 𐑨𐑯𐑦𐑥𐑱𐑑𐑩𐑛 GIFs", "preferences.fields.auto_play_gif_label": "𐑷𐑑𐑴-𐑐𐑤𐑱 𐑨𐑯𐑦𐑥𐑱𐑑𐑩𐑛 GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "𐑷𐑑𐑩𐑥𐑨𐑑𐑦𐑒𐑤𐑦 𐑤𐑴𐑛 𐑥𐑹 𐑲𐑑𐑩𐑥𐑟 𐑢𐑧𐑯 scrolled 𐑑 𐑞 𐑚𐑪𐑑𐑩𐑥 𐑝 𐑞 𐑐𐑱𐑡", "preferences.fields.autoload_more_label": "𐑷𐑑𐑩𐑥𐑨𐑑𐑦𐑒𐑤𐑦 𐑤𐑴𐑛 𐑥𐑹 𐑲𐑑𐑩𐑥𐑟 𐑢𐑧𐑯 scrolled 𐑑 𐑞 𐑚𐑪𐑑𐑩𐑥 𐑝 𐑞 𐑐𐑱𐑡",
"preferences.fields.autoload_timelines_label": "𐑷𐑑𐑩𐑥𐑨𐑑𐑦𐑒𐑤𐑦 𐑤𐑴𐑛 𐑯𐑿 𐑐𐑴𐑕𐑑𐑕 𐑢𐑧𐑯 scrolled 𐑑 𐑞 𐑑𐑪𐑐 𐑝 𐑞 𐑐𐑱𐑡", "preferences.fields.autoload_timelines_label": "𐑷𐑑𐑩𐑥𐑨𐑑𐑦𐑒𐑤𐑦 𐑤𐑴𐑛 𐑯𐑿 𐑐𐑴𐑕𐑑𐑕 𐑢𐑧𐑯 scrolled 𐑑 𐑞 𐑑𐑪𐑐 𐑝 𐑞 𐑐𐑱𐑡",
"preferences.fields.boost_modal_label": "𐑖𐑴 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑛𐑲𐑩𐑤𐑪𐑜 𐑚𐑦𐑓𐑹 𐑮𐑰𐑐𐑴𐑕𐑑𐑦𐑙", "preferences.fields.boost_modal_label": "𐑖𐑴 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑛𐑲𐑩𐑤𐑪𐑜 𐑚𐑦𐑓𐑹 𐑮𐑰𐑐𐑴𐑕𐑑𐑦𐑙",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "𐑖𐑴 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑛𐑲𐑩𐑤𐑪𐑜 𐑚𐑦𐑓𐑹 𐑛𐑦𐑤𐑰𐑑𐑦𐑙 𐑩 𐑐𐑴𐑕𐑑", "preferences.fields.delete_modal_label": "𐑖𐑴 𐑒𐑪𐑯𐑓𐑼𐑥𐑱𐑖𐑩𐑯 𐑛𐑲𐑩𐑤𐑪𐑜 𐑚𐑦𐑓𐑹 𐑛𐑦𐑤𐑰𐑑𐑦𐑙 𐑩 𐑐𐑴𐑕𐑑",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "𐑣𐑲𐑛 𐑥𐑰𐑛𐑾 𐑥𐑸𐑒𐑑 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝", "preferences.fields.display_media.default": "𐑣𐑲𐑛 𐑥𐑰𐑛𐑾 𐑥𐑸𐑒𐑑 𐑨𐑟 𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝",
"preferences.fields.display_media.hide_all": "𐑷𐑤𐑢𐑱𐑟 𐑣𐑲𐑛 𐑥𐑰𐑛𐑾", "preferences.fields.display_media.hide_all": "𐑷𐑤𐑢𐑱𐑟 𐑣𐑲𐑛 𐑥𐑰𐑛𐑾",
"preferences.fields.display_media.show_all": "𐑷𐑤𐑢𐑱𐑟 𐑖𐑴 𐑥𐑰𐑛𐑾", "preferences.fields.display_media.show_all": "𐑷𐑤𐑢𐑱𐑟 𐑖𐑴 𐑥𐑰𐑛𐑾",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "𐑷𐑤𐑢𐑱𐑟 𐑦𐑒𐑕𐑐𐑨𐑯𐑛 𐑐𐑴𐑕𐑑𐑕 𐑥𐑸𐑒𐑑 𐑢𐑦𐑞 𐑒𐑪𐑯𐑑𐑧𐑯𐑑 𐑢𐑹𐑯𐑦𐑙𐑟", "preferences.fields.expand_spoilers_label": "𐑷𐑤𐑢𐑱𐑟 𐑦𐑒𐑕𐑐𐑨𐑯𐑛 𐑐𐑴𐑕𐑑𐑕 𐑥𐑸𐑒𐑑 𐑢𐑦𐑞 𐑒𐑪𐑯𐑑𐑧𐑯𐑑 𐑢𐑹𐑯𐑦𐑙𐑟",
"preferences.fields.language_label": "𐑤𐑨𐑙𐑜𐑢𐑦𐑡", "preferences.fields.language_label": "𐑤𐑨𐑙𐑜𐑢𐑦𐑡",
"preferences.fields.media_display_label": "𐑥𐑰𐑛𐑾 𐑛𐑦𐑕𐑐𐑤𐑱", "preferences.fields.media_display_label": "𐑥𐑰𐑛𐑾 𐑛𐑦𐑕𐑐𐑤𐑱",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "𐑩𐑡𐑳𐑕𐑑 𐑐𐑴𐑕𐑑 𐑐𐑮𐑦𐑝𐑩𐑕𐑦", "privacy.change": "𐑩𐑡𐑳𐑕𐑑 𐑐𐑴𐑕𐑑 𐑐𐑮𐑦𐑝𐑩𐑕𐑦",
"privacy.direct.long": "𐑐𐑴𐑕𐑑 𐑑 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿𐑟𐑼𐑟 𐑴𐑯𐑤𐑦", "privacy.direct.long": "𐑐𐑴𐑕𐑑 𐑑 𐑥𐑧𐑯𐑖𐑩𐑯𐑛 𐑿𐑟𐑼𐑟 𐑴𐑯𐑤𐑦",
"privacy.direct.short": "𐑛𐑦𐑮𐑧𐑒𐑑", "privacy.direct.short": "𐑛𐑦𐑮𐑧𐑒𐑑",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "𐑳𐑯𐑤𐑦𐑕𐑑𐑩𐑛", "privacy.unlisted.short": "𐑳𐑯𐑤𐑦𐑕𐑑𐑩𐑛",
"profile_dropdown.add_account": "𐑨𐑛 𐑩𐑯 𐑦𐑜𐑟𐑦𐑕𐑑𐑦𐑙 𐑩𐑒𐑬𐑯𐑑", "profile_dropdown.add_account": "𐑨𐑛 𐑩𐑯 𐑦𐑜𐑟𐑦𐑕𐑑𐑦𐑙 𐑩𐑒𐑬𐑯𐑑",
"profile_dropdown.logout": "𐑤𐑪𐑜 𐑬𐑑 @{acct}", "profile_dropdown.logout": "𐑤𐑪𐑜 𐑬𐑑 @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "·𐑓𐑧𐑛𐑦𐑝𐑻𐑕 𐑑𐑲𐑥𐑤𐑲𐑯 𐑕𐑧𐑑𐑦𐑙𐑟",
"reactions.all": "𐑷𐑤", "reactions.all": "𐑷𐑤",
"regeneration_indicator.label": "𐑤𐑴𐑛𐑦𐑙…", "regeneration_indicator.label": "𐑤𐑴𐑛𐑦𐑙…",
"regeneration_indicator.sublabel": "𐑘𐑹 𐑣𐑴𐑥 𐑓𐑰𐑛 𐑦𐑟 𐑚𐑰𐑦𐑙 𐑐𐑮𐑦𐑐𐑺𐑛!", "regeneration_indicator.sublabel": "𐑘𐑹 𐑣𐑴𐑥 𐑓𐑰𐑛 𐑦𐑟 𐑚𐑰𐑦𐑙 𐑐𐑮𐑦𐑐𐑺𐑛!",
"register_invite.lead": "𐑒𐑩𐑥𐑐𐑤𐑰𐑑 𐑞 𐑓𐑹𐑥 𐑚𐑦𐑤𐑴 𐑑 𐑒𐑮𐑦𐑱𐑑 𐑩𐑯 𐑩𐑒𐑬𐑯𐑑.", "register_invite.lead": "𐑒𐑩𐑥𐑐𐑤𐑰𐑑 𐑞 𐑓𐑹𐑥 𐑚𐑦𐑤𐑴 𐑑 𐑒𐑮𐑦𐑱𐑑 𐑩𐑯 𐑩𐑒𐑬𐑯𐑑.",
"register_invite.title": "𐑿𐑝 𐑚𐑰𐑯 𐑦𐑯𐑝𐑲𐑑𐑩𐑛 𐑑 𐑡𐑶𐑯 {siteTitle}!", "register_invite.title": "𐑿𐑝 𐑚𐑰𐑯 𐑦𐑯𐑝𐑲𐑑𐑩𐑛 𐑑 𐑡𐑶𐑯 {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "𐑲 𐑩𐑜𐑮𐑰 𐑑 𐑞 {tos}.", "registration.agreement": "𐑲 𐑩𐑜𐑮𐑰 𐑑 𐑞 {tos}.",
"registration.captcha.hint": "𐑒𐑤𐑦𐑒 𐑞 𐑦𐑥𐑦𐑡 𐑑 𐑜𐑧𐑑 𐑩 𐑯𐑿 ·𐑒𐑨𐑐𐑗𐑩", "registration.captcha.hint": "𐑒𐑤𐑦𐑒 𐑞 𐑦𐑥𐑦𐑡 𐑑 𐑜𐑧𐑑 𐑩 𐑯𐑿 ·𐑒𐑨𐑐𐑗𐑩",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} 𐑦𐑟 𐑯𐑪𐑑 𐑩𐑒𐑕𐑧𐑐𐑑𐑦𐑙 𐑯𐑿 𐑥𐑧𐑥𐑚𐑼𐑟", "registration.closed_message": "{instance} 𐑦𐑟 𐑯𐑪𐑑 𐑩𐑒𐑕𐑧𐑐𐑑𐑦𐑙 𐑯𐑿 𐑥𐑧𐑥𐑚𐑼𐑟",
"registration.closed_title": "𐑮𐑧𐑡𐑦𐑕𐑑𐑮𐑱𐑖𐑩𐑯𐑟 𐑒𐑤𐑴𐑟𐑛", "registration.closed_title": "𐑮𐑧𐑡𐑦𐑕𐑑𐑮𐑱𐑖𐑩𐑯𐑟 𐑒𐑤𐑴𐑟𐑛",
"registration.confirmation_modal.close": "𐑒𐑤𐑴𐑟", "registration.confirmation_modal.close": "𐑒𐑤𐑴𐑟",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "𐑐𐑭𐑕𐑢𐑻𐑛", "registration.fields.password_placeholder": "𐑐𐑭𐑕𐑢𐑻𐑛",
"registration.fields.username_hint": "𐑴𐑯𐑤𐑦 𐑤𐑧𐑑𐑼𐑟, 𐑯𐑳𐑥𐑚𐑼𐑟, 𐑯 𐑳𐑯𐑛𐑼𐑕𐑒𐑹𐑟 𐑸 𐑩𐑤𐑬𐑛.", "registration.fields.username_hint": "𐑴𐑯𐑤𐑦 𐑤𐑧𐑑𐑼𐑟, 𐑯𐑳𐑥𐑚𐑼𐑟, 𐑯 𐑳𐑯𐑛𐑼𐑕𐑒𐑹𐑟 𐑸 𐑩𐑤𐑬𐑛.",
"registration.fields.username_placeholder": "𐑿𐑟𐑼𐑯𐑱𐑥", "registration.fields.username_placeholder": "𐑿𐑟𐑼𐑯𐑱𐑥",
"registration.header": "Register your account",
"registration.newsletter": "𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑿𐑟𐑤𐑧𐑑𐑼.", "registration.newsletter": "𐑕𐑩𐑚𐑕𐑒𐑮𐑲𐑚 𐑑 𐑯𐑿𐑟𐑤𐑧𐑑𐑼.",
"registration.password_mismatch": "𐑐𐑭𐑕𐑢𐑻𐑛𐑟 𐑛𐑴𐑯𐑑 match.", "registration.password_mismatch": "𐑐𐑭𐑕𐑢𐑻𐑛𐑟 𐑛𐑴𐑯𐑑 match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "𐑢𐑲 𐑛𐑵 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑡𐑶𐑯?", "registration.reason": "𐑢𐑲 𐑛𐑵 𐑿 𐑢𐑪𐑯𐑑 𐑑 𐑡𐑶𐑯?",
"registration.reason_hint": "𐑞𐑦𐑕 𐑢𐑦𐑤 help 𐑳𐑕 𐑮𐑦𐑝𐑿 𐑘𐑹 𐑨𐑐𐑤𐑦𐑒𐑱𐑖𐑩𐑯", "registration.reason_hint": "𐑞𐑦𐑕 𐑢𐑦𐑤 help 𐑳𐑕 𐑮𐑦𐑝𐑿 𐑘𐑹 𐑨𐑐𐑤𐑦𐑒𐑱𐑖𐑩𐑯",
"registration.sign_up": "𐑕𐑲𐑯 𐑳𐑐", "registration.sign_up": "𐑕𐑲𐑯 𐑳𐑐",
"registration.tos": "Terms 𐑝 𐑕𐑻𐑝𐑦𐑕", "registration.tos": "Terms 𐑝 𐑕𐑻𐑝𐑦𐑕",
"registration.username_unavailable": "𐑿𐑟𐑼𐑯𐑱𐑥 𐑦𐑟 𐑷𐑤𐑮𐑧𐑛𐑦 𐑑𐑱𐑒𐑩𐑯.", "registration.username_unavailable": "𐑿𐑟𐑼𐑯𐑱𐑥 𐑦𐑟 𐑷𐑤𐑮𐑧𐑛𐑦 𐑑𐑱𐑒𐑩𐑯.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "𐑯𐑬", "relative_time.just_now": "𐑯𐑬",
@ -861,16 +924,32 @@
"reply_mentions.account.remove": "𐑮𐑦𐑥𐑵𐑝 𐑓𐑮𐑪𐑥 𐑥𐑧𐑯𐑖𐑩𐑯𐑟", "reply_mentions.account.remove": "𐑮𐑦𐑥𐑵𐑝 𐑓𐑮𐑪𐑥 𐑥𐑧𐑯𐑖𐑩𐑯𐑟",
"reply_mentions.more": "{count} 𐑥𐑹", "reply_mentions.more": "{count} 𐑥𐑹",
"reply_mentions.reply": "<hover>𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑑</hover> {accounts}", "reply_mentions.reply": "<hover>𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑑</hover> {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑑 𐑐𐑴𐑕𐑑", "reply_mentions.reply_empty": "𐑮𐑦𐑐𐑤𐑲𐑦𐑙 𐑑 𐑐𐑴𐑕𐑑",
"report.block": "𐑚𐑤𐑪𐑒 {target}", "report.block": "𐑚𐑤𐑪𐑒 {target}",
"report.block_hint": "𐑛𐑵 𐑿 𐑷𐑤𐑕𐑴 𐑢𐑪𐑯𐑑 𐑑 𐑚𐑤𐑪𐑒 𐑞𐑦𐑕 𐑩𐑒𐑬𐑯𐑑?", "report.block_hint": "𐑛𐑵 𐑿 𐑷𐑤𐑕𐑴 𐑢𐑪𐑯𐑑 𐑑 𐑚𐑤𐑪𐑒 𐑞𐑦𐑕 𐑩𐑒𐑬𐑯𐑑?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "𐑓𐑹𐑢𐑼𐑛 𐑑 {target}", "report.forward": "𐑓𐑹𐑢𐑼𐑛 𐑑 {target}",
"report.forward_hint": "𐑞 𐑩𐑒𐑬𐑯𐑑 𐑦𐑟 𐑓𐑮𐑪𐑥 𐑩𐑯𐑳𐑞𐑼 𐑕𐑻𐑝𐑼. 𐑕𐑧𐑯𐑛 𐑩 𐑒𐑪𐑐𐑦 𐑝 𐑞 𐑮𐑦𐑐𐑹𐑑 𐑞𐑺 𐑨𐑟 𐑢𐑧𐑤?", "report.forward_hint": "𐑞 𐑩𐑒𐑬𐑯𐑑 𐑦𐑟 𐑓𐑮𐑪𐑥 𐑩𐑯𐑳𐑞𐑼 𐑕𐑻𐑝𐑼. 𐑕𐑧𐑯𐑛 𐑩 𐑒𐑪𐑐𐑦 𐑝 𐑞 𐑮𐑦𐑐𐑹𐑑 𐑞𐑺 𐑨𐑟 𐑢𐑧𐑤?",
"report.hint": "𐑞 𐑮𐑦𐑐𐑹𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑕𐑧𐑯𐑑 𐑑 𐑘𐑹 𐑕𐑻𐑝𐑼 𐑥𐑪𐑛𐑼𐑱𐑑𐑼𐑟. 𐑿 𐑒𐑨𐑯 𐑐𐑮𐑩𐑝𐑲𐑛 𐑩𐑯 𐑧𐑒𐑕𐑐𐑤𐑩𐑯𐑱𐑖𐑩𐑯 𐑝 𐑢𐑲 𐑿 𐑸 𐑮𐑦𐑐𐑹𐑑𐑦𐑙 𐑞𐑦𐑕 𐑩𐑒𐑬𐑯𐑑 𐑚𐑦𐑤𐑴:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "𐑩𐑛𐑦𐑖𐑩𐑯𐑩𐑤 𐑒𐑪𐑥𐑧𐑯𐑑𐑕", "report.placeholder": "𐑩𐑛𐑦𐑖𐑩𐑯𐑩𐑤 𐑒𐑪𐑥𐑧𐑯𐑑𐑕",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "𐑕𐑩𐑚𐑥𐑦𐑑", "report.submit": "𐑕𐑩𐑚𐑥𐑦𐑑",
"report.target": "𐑮𐑦𐑐𐑹𐑑𐑦𐑙 {target}", "report.target": "𐑮𐑦𐑐𐑹𐑑𐑦𐑙 {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "𐑐𐑴𐑕𐑑 𐑛𐑱𐑑/𐑑𐑲𐑥", "schedule.post_time": "𐑐𐑴𐑕𐑑 𐑛𐑱𐑑/𐑑𐑲𐑥",
"schedule.remove": "𐑮𐑦𐑥𐑵𐑝 𐑖𐑧𐑡𐑵𐑤", "schedule.remove": "𐑮𐑦𐑥𐑵𐑝 𐑖𐑧𐑡𐑵𐑤",
"schedule_button.add_schedule": "𐑖𐑧𐑡𐑵𐑤 𐑐𐑴𐑕𐑑 𐑓 𐑤𐑱𐑑𐑼", "schedule_button.add_schedule": "𐑖𐑧𐑡𐑵𐑤 𐑐𐑴𐑕𐑑 𐑓 𐑤𐑱𐑑𐑼",
@ -879,15 +958,14 @@
"search.action": "𐑕𐑻𐑗 𐑓 “{query}”", "search.action": "𐑕𐑻𐑗 𐑓 “{query}”",
"search.placeholder": "𐑕𐑻𐑗", "search.placeholder": "𐑕𐑻𐑗",
"search_results.accounts": "𐑐𐑰𐑐𐑩𐑤", "search_results.accounts": "𐑐𐑰𐑐𐑩𐑤",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "𐑣𐑨𐑖𐑑𐑨𐑜𐑟", "search_results.hashtags": "𐑣𐑨𐑖𐑑𐑨𐑜𐑟",
"search_results.statuses": "𐑐𐑴𐑕𐑑𐑕", "search_results.statuses": "𐑐𐑴𐑕𐑑𐑕",
"search_results.top": "𐑑𐑪𐑐",
"security.codes.fail": "𐑓𐑱𐑤𐑛 𐑑 𐑓𐑧𐑗 𐑚𐑨𐑒𐑳𐑐 𐑒𐑴𐑛𐑟", "security.codes.fail": "𐑓𐑱𐑤𐑛 𐑑 𐑓𐑧𐑗 𐑚𐑨𐑒𐑳𐑐 𐑒𐑴𐑛𐑟",
"security.confirm.fail": "𐑦𐑯𐑒𐑼𐑧𐑒𐑑 𐑒𐑴𐑛 𐑹 𐑐𐑭𐑕𐑢𐑻𐑛. 𐑑𐑮𐑲 𐑩𐑜𐑱𐑯.", "security.confirm.fail": "𐑦𐑯𐑒𐑼𐑧𐑒𐑑 𐑒𐑴𐑛 𐑹 𐑐𐑭𐑕𐑢𐑻𐑛. 𐑑𐑮𐑲 𐑩𐑜𐑱𐑯.",
"security.delete_account.fail": "𐑩𐑒𐑬𐑯𐑑 𐑛𐑦𐑤𐑰𐑖𐑩𐑯 𐑓𐑱𐑤𐑛.", "security.delete_account.fail": "𐑩𐑒𐑬𐑯𐑑 𐑛𐑦𐑤𐑰𐑖𐑩𐑯 𐑓𐑱𐑤𐑛.",
"security.delete_account.success": "𐑩𐑒𐑬𐑯𐑑 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑛𐑦𐑤𐑰𐑑𐑩𐑛.", "security.delete_account.success": "𐑩𐑒𐑬𐑯𐑑 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑛𐑦𐑤𐑰𐑑𐑩𐑛.",
"security.disable.fail": "𐑦𐑯𐑒𐑼𐑧𐑒𐑑 𐑐𐑭𐑕𐑢𐑻𐑛. 𐑑𐑮𐑲 𐑩𐑜𐑱𐑯.", "security.disable.fail": "𐑦𐑯𐑒𐑼𐑧𐑒𐑑 𐑐𐑭𐑕𐑢𐑻𐑛. 𐑑𐑮𐑲 𐑩𐑜𐑱𐑯.",
"security.disable_mfa": "𐑛𐑦𐑕𐑱𐑚𐑩𐑤",
"security.fields.email.label": "𐑰𐑥𐑱𐑤 𐑩𐑛𐑮𐑧𐑕", "security.fields.email.label": "𐑰𐑥𐑱𐑤 𐑩𐑛𐑮𐑧𐑕",
"security.fields.new_password.label": "𐑯𐑿 𐑐𐑭𐑕𐑢𐑻𐑛", "security.fields.new_password.label": "𐑯𐑿 𐑐𐑭𐑕𐑢𐑻𐑛",
"security.fields.old_password.label": "𐑒𐑳𐑮𐑩𐑯𐑑 𐑐𐑭𐑕𐑢𐑻𐑛", "security.fields.old_password.label": "𐑒𐑳𐑮𐑩𐑯𐑑 𐑐𐑭𐑕𐑢𐑻𐑛",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "𐑯𐑿 𐑐𐑭𐑕𐑢𐑻𐑛 (𐑩𐑜𐑱𐑯)", "security.fields.password_confirmation.label": "𐑯𐑿 𐑐𐑭𐑕𐑢𐑻𐑛 (𐑩𐑜𐑱𐑯)",
"security.headers.delete": "𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑", "security.headers.delete": "𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑",
"security.headers.tokens": "𐑕𐑧𐑖𐑩𐑯𐑟", "security.headers.tokens": "𐑕𐑧𐑖𐑩𐑯𐑟",
"security.headers.update_email": "𐑗𐑱𐑯𐑡 𐑰𐑥𐑱𐑤",
"security.headers.update_password": "𐑗𐑱𐑯𐑡 𐑐𐑭𐑕𐑢𐑻𐑛",
"security.mfa": "𐑕𐑧𐑑 𐑳𐑐 2-Factor Auth",
"security.mfa_enabled": "𐑿 𐑣𐑨𐑝 𐑥𐑳𐑤𐑑𐑦-𐑓𐑨𐑒𐑑𐑼 𐑷𐑔𐑧𐑯𐑑𐑦𐑒𐑱𐑖𐑩𐑯 𐑕𐑧𐑑 𐑳𐑐 𐑢𐑦𐑞 OTP.",
"security.mfa_header": "𐑷𐑔𐑼𐑲𐑟𐑱𐑖𐑩𐑯 𐑥𐑧𐑔𐑩𐑛𐑟",
"security.mfa_setup_hint": "𐑒𐑩𐑯𐑓𐑦𐑜𐑼 𐑥𐑳𐑤𐑑𐑦-𐑓𐑨𐑒𐑑𐑼 𐑷𐑔𐑧𐑯𐑑𐑦𐑒𐑱𐑖𐑩𐑯 𐑢𐑦𐑞 OTP",
"security.qr.fail": "𐑓𐑱𐑤𐑛 𐑑 𐑓𐑧𐑗 𐑕𐑧𐑑𐑳𐑐 key", "security.qr.fail": "𐑓𐑱𐑤𐑛 𐑑 𐑓𐑧𐑗 𐑕𐑧𐑑𐑳𐑐 key",
"security.submit": "𐑕𐑱𐑝 𐑗𐑱𐑯𐑡𐑩𐑟", "security.submit": "𐑕𐑱𐑝 𐑗𐑱𐑯𐑡𐑩𐑟",
"security.submit.delete": "𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑", "security.submit.delete": "𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑",
"security.text.delete": "𐑑 𐑛𐑦𐑤𐑰𐑑 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑, 𐑧𐑯𐑑𐑼 𐑘𐑹 𐑐𐑭𐑕𐑢𐑻𐑛 𐑞𐑧𐑯 𐑒𐑤𐑦𐑒 𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑. 𐑞𐑦𐑕 𐑦𐑟 𐑩 𐑐𐑻𐑥𐑩𐑯𐑩𐑯𐑑 𐑨𐑒𐑖𐑩𐑯 𐑞𐑨𐑑 𐑒𐑨𐑯𐑪𐑑 𐑚𐑰 𐑳𐑯𐑛𐑳𐑯. 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑛𐑦𐑕𐑑𐑮𐑶𐑛 𐑓𐑮𐑪𐑥 𐑞𐑦𐑕 𐑕𐑻𐑝𐑼, 𐑯 𐑩 𐑛𐑦𐑤𐑰𐑖𐑩𐑯 𐑮𐑦𐑒𐑢𐑧𐑕𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑕𐑧𐑯𐑑 𐑑 𐑳𐑞𐑼 𐑕𐑻𐑝𐑼𐑟. 𐑦𐑑𐑕 𐑯𐑪𐑑 𐑜𐑨𐑮𐑩𐑯𐑑𐑰𐑛 𐑞𐑨𐑑 𐑷𐑤 𐑕𐑻𐑝𐑼𐑟 𐑢𐑦𐑤 𐑐𐑻𐑡 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑.", "security.text.delete": "𐑑 𐑛𐑦𐑤𐑰𐑑 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑, 𐑧𐑯𐑑𐑼 𐑘𐑹 𐑐𐑭𐑕𐑢𐑻𐑛 𐑞𐑧𐑯 𐑒𐑤𐑦𐑒 𐑛𐑦𐑤𐑰𐑑 𐑩𐑒𐑬𐑯𐑑. 𐑞𐑦𐑕 𐑦𐑟 𐑩 𐑐𐑻𐑥𐑩𐑯𐑩𐑯𐑑 𐑨𐑒𐑖𐑩𐑯 𐑞𐑨𐑑 𐑒𐑨𐑯𐑪𐑑 𐑚𐑰 𐑳𐑯𐑛𐑳𐑯. 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑛𐑦𐑕𐑑𐑮𐑶𐑛 𐑓𐑮𐑪𐑥 𐑞𐑦𐑕 𐑕𐑻𐑝𐑼, 𐑯 𐑩 𐑛𐑦𐑤𐑰𐑖𐑩𐑯 𐑮𐑦𐑒𐑢𐑧𐑕𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑕𐑧𐑯𐑑 𐑑 𐑳𐑞𐑼 𐑕𐑻𐑝𐑼𐑟. 𐑦𐑑𐑕 𐑯𐑪𐑑 𐑜𐑨𐑮𐑩𐑯𐑑𐑰𐑛 𐑞𐑨𐑑 𐑷𐑤 𐑕𐑻𐑝𐑼𐑟 𐑢𐑦𐑤 𐑐𐑻𐑡 𐑘𐑹 𐑩𐑒𐑬𐑯𐑑.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "𐑮𐑦𐑝𐑴𐑒", "security.tokens.revoke": "𐑮𐑦𐑝𐑴𐑒",
"security.update_email.fail": "𐑳𐑐𐑛𐑱𐑑 𐑰𐑥𐑱𐑤 𐑓𐑱𐑤𐑛.", "security.update_email.fail": "𐑳𐑐𐑛𐑱𐑑 𐑰𐑥𐑱𐑤 𐑓𐑱𐑤𐑛.",
"security.update_email.success": "𐑰𐑥𐑱𐑤 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑳𐑐𐑛𐑱𐑑𐑩𐑛.", "security.update_email.success": "𐑰𐑥𐑱𐑤 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑳𐑐𐑛𐑱𐑑𐑩𐑛.",
"security.update_password.fail": "𐑳𐑐𐑛𐑱𐑑 𐑐𐑭𐑕𐑢𐑻𐑛 𐑓𐑱𐑤𐑛.", "security.update_password.fail": "𐑳𐑐𐑛𐑱𐑑 𐑐𐑭𐑕𐑢𐑻𐑛 𐑓𐑱𐑤𐑛.",
"security.update_password.success": "𐑐𐑭𐑕𐑢𐑻𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑳𐑐𐑛𐑱𐑑𐑩𐑛.", "security.update_password.success": "𐑐𐑭𐑕𐑢𐑻𐑛 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑩𐑤𐑦 𐑳𐑐𐑛𐑱𐑑𐑩𐑛.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "𐑕𐑲𐑯 𐑳𐑐 𐑯𐑬 𐑑 𐑛𐑦𐑕𐑒𐑳𐑕.", "signup_panel.subtitle": "𐑕𐑲𐑯 𐑳𐑐 𐑯𐑬 𐑑 𐑛𐑦𐑕𐑒𐑳𐑕.",
"signup_panel.title": "𐑯𐑿 𐑑 {site_title}?", "signup_panel.title": "𐑯𐑿 𐑑 {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "𐑿𐑟𐑼𐑟 𐑥𐑳𐑕𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛-𐑦𐑯 𐑑 𐑝𐑿 𐑮𐑦𐑐𐑤𐑲𐑟 𐑯 𐑥𐑰𐑛𐑾 𐑪𐑯 𐑿𐑟𐑼 𐑐𐑮𐑴𐑓𐑲𐑤𐑟.", "soapbox_config.authenticated_profile_hint": "𐑿𐑟𐑼𐑟 𐑥𐑳𐑕𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛-𐑦𐑯 𐑑 𐑝𐑿 𐑮𐑦𐑐𐑤𐑲𐑟 𐑯 𐑥𐑰𐑛𐑾 𐑪𐑯 𐑿𐑟𐑼 𐑐𐑮𐑴𐑓𐑲𐑤𐑟.",
"soapbox_config.authenticated_profile_label": "𐑐𐑮𐑴𐑓𐑲𐑤𐑟 𐑮𐑦𐑒𐑢𐑲𐑼 𐑷𐑔𐑧𐑯𐑑𐑦𐑒𐑱𐑖𐑩𐑯", "soapbox_config.authenticated_profile_label": "𐑐𐑮𐑴𐑓𐑲𐑤𐑟 𐑮𐑦𐑒𐑢𐑲𐑼 𐑷𐑔𐑧𐑯𐑑𐑦𐑒𐑱𐑖𐑩𐑯",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "𐑯𐑴𐑑 (𐑪𐑐𐑖𐑩𐑯𐑩𐑤)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "𐑯𐑴𐑑 (𐑪𐑐𐑖𐑩𐑯𐑩𐑤)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "𐑑𐑦𐑒𐑼", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "𐑑𐑦𐑒𐑼",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "𐑯𐑳𐑥𐑚𐑼 𐑝 𐑲𐑑𐑩𐑥𐑟 𐑑 𐑛𐑦𐑕𐑐𐑤𐑱 𐑦𐑯 𐑞 𐑒𐑮𐑦𐑐𐑑𐑴 𐑣𐑴𐑥𐑐𐑱𐑡 widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "𐑯𐑳𐑥𐑚𐑼 𐑝 𐑲𐑑𐑩𐑥𐑟 𐑑 𐑛𐑦𐑕𐑐𐑤𐑱 𐑦𐑯 𐑞 𐑒𐑮𐑦𐑐𐑑𐑴 𐑣𐑴𐑥𐑐𐑱𐑡 widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "𐑛𐑦𐑕𐑐𐑤𐑱 𐑛𐑴𐑥𐑱𐑯 (eg @user@domain) 𐑓 𐑤𐑴𐑒𐑩𐑤 𐑩𐑒𐑬𐑯𐑑𐑕.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "𐑚𐑮𐑨𐑯𐑛 𐑒𐑳𐑤𐑼", "soapbox_config.fields.brand_color_label": "𐑚𐑮𐑨𐑯𐑛 𐑒𐑳𐑤𐑼",
"soapbox_config.fields.crypto_address.add": "𐑨𐑛 𐑯𐑿 𐑒𐑮𐑦𐑐𐑑𐑴 𐑩𐑛𐑮𐑧𐑕",
"soapbox_config.fields.crypto_addresses_label": "𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑩𐑛𐑮𐑧𐑕𐑩𐑟", "soapbox_config.fields.crypto_addresses_label": "𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑩𐑛𐑮𐑧𐑕𐑩𐑟",
"soapbox_config.fields.home_footer.add": "𐑨𐑛 𐑯𐑿 𐑣𐑴𐑥 𐑓𐑫𐑑𐑼 𐑲𐑑𐑩𐑥",
"soapbox_config.fields.home_footer_fields_label": "𐑣𐑴𐑥 𐑓𐑫𐑑𐑼 𐑲𐑑𐑩𐑥𐑟", "soapbox_config.fields.home_footer_fields_label": "𐑣𐑴𐑥 𐑓𐑫𐑑𐑼 𐑲𐑑𐑩𐑥𐑟",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "𐑨𐑛 𐑯𐑿 Promo panel 𐑲𐑑𐑩𐑥",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel 𐑲𐑑𐑩𐑥𐑟", "soapbox_config.fields.promo_panel_fields_label": "Promo panel 𐑲𐑑𐑩𐑥𐑟",
"soapbox_config.fields.theme_label": "𐑛𐑦𐑓𐑷𐑤𐑑 𐑔𐑰𐑥", "soapbox_config.fields.theme_label": "𐑛𐑦𐑓𐑷𐑤𐑑 𐑔𐑰𐑥",
"soapbox_config.greentext_label": "𐑦𐑯𐑱𐑚𐑩𐑤 𐑜𐑮𐑰𐑯𐑑𐑧𐑒𐑕𐑑 𐑕𐑩𐑐𐑹𐑑", "soapbox_config.greentext_label": "𐑦𐑯𐑱𐑚𐑩𐑤 𐑜𐑮𐑰𐑯𐑑𐑧𐑒𐑕𐑑 𐑕𐑩𐑐𐑹𐑑",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "𐑨𐑛 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑩𐑛𐑮𐑧𐑕𐑩𐑟 so 𐑿𐑟𐑼𐑟 𐑝 𐑘𐑹 𐑕𐑲𐑑 𐑒𐑨𐑯 𐑛𐑴𐑯𐑱𐑑 𐑑 𐑿. 𐑹𐑛𐑼 matters, 𐑯 𐑿 𐑥𐑳𐑕𐑑 𐑿𐑕 lowercase 𐑑𐑦𐑒𐑼 values.", "soapbox_config.hints.crypto_addresses": "𐑨𐑛 𐑒𐑮𐑦𐑐𐑑𐑴𐑒𐑳𐑮𐑩𐑯𐑕𐑦 𐑩𐑛𐑮𐑧𐑕𐑩𐑟 so 𐑿𐑟𐑼𐑟 𐑝 𐑘𐑹 𐑕𐑲𐑑 𐑒𐑨𐑯 𐑛𐑴𐑯𐑱𐑑 𐑑 𐑿. 𐑹𐑛𐑼 matters, 𐑯 𐑿 𐑥𐑳𐑕𐑑 𐑿𐑕 lowercase 𐑑𐑦𐑒𐑼 values.",
"soapbox_config.hints.home_footer_fields": "𐑿 𐑒𐑨𐑯 𐑣𐑨𐑝 custom defined 𐑤𐑦𐑙𐑒𐑕 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑪𐑯 𐑞 𐑓𐑫𐑑𐑼 𐑝 𐑘𐑹 static 𐑐𐑱𐑡𐑩𐑟", "soapbox_config.hints.home_footer_fields": "𐑿 𐑒𐑨𐑯 𐑣𐑨𐑝 custom defined 𐑤𐑦𐑙𐑒𐑕 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑪𐑯 𐑞 𐑓𐑫𐑑𐑼 𐑝 𐑘𐑹 static 𐑐𐑱𐑡𐑩𐑟",
"soapbox_config.hints.logo": "SVG. 𐑨𐑑 𐑥𐑴𐑕𐑑 2 MB. 𐑢𐑦𐑤 𐑚𐑰 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑑 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. 𐑨𐑑 𐑥𐑴𐑕𐑑 2 MB. 𐑢𐑦𐑤 𐑚𐑰 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑑 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "𐑿 𐑒𐑨𐑯 𐑣𐑨𐑝 custom defined 𐑤𐑦𐑙𐑒𐑕 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑪𐑯 𐑞 right panel 𐑝 𐑞 𐑑𐑲𐑥𐑤𐑲𐑯𐑟 𐑐𐑱𐑡.", "soapbox_config.hints.promo_panel_fields": "𐑿 𐑒𐑨𐑯 𐑣𐑨𐑝 custom defined 𐑤𐑦𐑙𐑒𐑕 𐑛𐑦𐑕𐑐𐑤𐑱𐑛 𐑪𐑯 𐑞 right panel 𐑝 𐑞 𐑑𐑲𐑥𐑤𐑲𐑯𐑟 𐑐𐑱𐑡.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑲𐑒𐑪𐑯𐑟 List", "soapbox_config.hints.promo_panel_icons.link": "·𐑕𐑴𐑐𐑚𐑪𐑒𐑕 𐑲𐑒𐑪𐑯𐑟 List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "𐑩𐑤𐑬 𐑝𐑧𐑮𐑦𐑓𐑲𐑛 𐑿𐑟𐑼𐑟 𐑑 𐑧𐑛𐑦𐑑 𐑞𐑺 𐑴𐑯 𐑛𐑦𐑕𐑐𐑤𐑱 𐑯𐑱𐑥.", "soapbox_config.verified_can_edit_name_label": "𐑩𐑤𐑬 𐑝𐑧𐑮𐑦𐑓𐑲𐑛 𐑿𐑟𐑼𐑟 𐑑 𐑧𐑛𐑦𐑑 𐑞𐑺 𐑴𐑯 𐑛𐑦𐑕𐑐𐑤𐑱 𐑯𐑱𐑥.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "𐑴𐑐𐑩𐑯 𐑥𐑪𐑛𐑼𐑱𐑖𐑩𐑯 𐑦𐑯𐑑𐑼𐑓𐑱𐑕 𐑓 @{name}", "status.admin_account": "𐑴𐑐𐑩𐑯 𐑥𐑪𐑛𐑼𐑱𐑖𐑩𐑯 𐑦𐑯𐑑𐑼𐑓𐑱𐑕 𐑓 @{name}",
"status.admin_status": "𐑴𐑐𐑩𐑯 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑦𐑯 𐑞 𐑥𐑪𐑛𐑼𐑱𐑖𐑩𐑯 𐑦𐑯𐑑𐑼𐑓𐑱𐑕", "status.admin_status": "𐑴𐑐𐑩𐑯 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑 𐑦𐑯 𐑞 𐑥𐑪𐑛𐑼𐑱𐑖𐑩𐑯 𐑦𐑯𐑑𐑼𐑓𐑱𐑕",
"status.block": "𐑚𐑤𐑪𐑒 @{name}",
"status.bookmark": "𐑚𐑫𐑒𐑥𐑸𐑒", "status.bookmark": "𐑚𐑫𐑒𐑥𐑸𐑒",
"status.bookmarked": "𐑚𐑫𐑒𐑥𐑸𐑒 𐑨𐑛𐑩𐑛.", "status.bookmarked": "𐑚𐑫𐑒𐑥𐑸𐑒 𐑨𐑛𐑩𐑛.",
"status.cancel_reblog_private": "𐑳𐑯-𐑮𐑰𐑐𐑴𐑕𐑑", "status.cancel_reblog_private": "𐑳𐑯-𐑮𐑰𐑐𐑴𐑕𐑑",
@ -976,14 +1075,16 @@
"status.delete": "𐑛𐑦𐑤𐑰𐑑", "status.delete": "𐑛𐑦𐑤𐑰𐑑",
"status.detailed_status": "𐑛𐑰𐑑𐑱𐑤𐑛 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯 𐑝𐑿", "status.detailed_status": "𐑛𐑰𐑑𐑱𐑤𐑛 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯 𐑝𐑿",
"status.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡 @{name}", "status.direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡 @{name}",
"status.edit": "Edit",
"status.embed": " 𐑦𐑥𐑚𐑧𐑛", "status.embed": " 𐑦𐑥𐑚𐑧𐑛",
"status.external": "View post on {domain}",
"status.favourite": "𐑤𐑲𐑒", "status.favourite": "𐑤𐑲𐑒",
"status.filtered": "𐑓𐑦𐑤𐑑𐑼𐑛", "status.filtered": "𐑓𐑦𐑤𐑑𐑼𐑛",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "𐑤𐑴𐑛 𐑥𐑹", "status.load_more": "𐑤𐑴𐑛 𐑥𐑹",
"status.media_hidden": "𐑥𐑰𐑛𐑾 𐑣𐑦𐑛𐑩𐑯",
"status.mention": "𐑥𐑧𐑯𐑖𐑩𐑯 @{name}", "status.mention": "𐑥𐑧𐑯𐑖𐑩𐑯 @{name}",
"status.more": "𐑥𐑹", "status.more": "𐑥𐑹",
"status.mute": "𐑥𐑿𐑑 @{name}",
"status.mute_conversation": "𐑥𐑿𐑑 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯", "status.mute_conversation": "𐑥𐑿𐑑 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯",
"status.open": "𐑦𐑒𐑕𐑐𐑨𐑯𐑛 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑", "status.open": "𐑦𐑒𐑕𐑐𐑨𐑯𐑛 𐑞𐑦𐑕 𐑐𐑴𐑕𐑑",
"status.pin": "𐑐𐑦𐑯 𐑪𐑯 𐑐𐑮𐑴𐑓𐑲𐑤", "status.pin": "𐑐𐑦𐑯 𐑪𐑯 𐑐𐑮𐑴𐑓𐑲𐑤",
@ -996,7 +1097,6 @@
"status.reactions.like": "𐑤𐑲𐑒", "status.reactions.like": "𐑤𐑲𐑒",
"status.reactions.open_mouth": "𐑢𐑬", "status.reactions.open_mouth": "𐑢𐑬",
"status.reactions.weary": "𐑢𐑽𐑦", "status.reactions.weary": "𐑢𐑽𐑦",
"status.reactions_expand": "𐑕𐑦𐑤𐑧𐑒𐑑 𐑦𐑥𐑴𐑡𐑦",
"status.read_more": "𐑮𐑧𐑛 𐑥𐑹", "status.read_more": "𐑮𐑧𐑛 𐑥𐑹",
"status.reblog": "𐑮𐑰𐑐𐑴𐑕𐑑", "status.reblog": "𐑮𐑰𐑐𐑴𐑕𐑑",
"status.reblog_private": "𐑮𐑰𐑐𐑴𐑕𐑑 𐑑 𐑼𐑦𐑡𐑦𐑯𐑩𐑤 𐑷𐑛𐑾𐑯𐑕", "status.reblog_private": "𐑮𐑰𐑐𐑴𐑕𐑑 𐑑 𐑼𐑦𐑡𐑦𐑯𐑩𐑤 𐑷𐑛𐑾𐑯𐑕",
@ -1009,13 +1109,15 @@
"status.replyAll": "𐑮𐑦𐑐𐑤𐑲 𐑑 𐑔𐑮𐑧𐑛", "status.replyAll": "𐑮𐑦𐑐𐑤𐑲 𐑑 𐑔𐑮𐑧𐑛",
"status.report": "𐑮𐑦𐑐𐑹𐑑 @{name}", "status.report": "𐑮𐑦𐑐𐑹𐑑 @{name}",
"status.sensitive_warning": "𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝 𐑒𐑪𐑯𐑑𐑧𐑯𐑑", "status.sensitive_warning": "𐑕𐑧𐑯𐑕𐑦𐑑𐑦𐑝 𐑒𐑪𐑯𐑑𐑧𐑯𐑑",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "𐑖𐑺", "status.share": "𐑖𐑺",
"status.show_less": "𐑖𐑴 𐑤𐑧𐑕",
"status.show_less_all": "𐑖𐑴 𐑤𐑧𐑕 𐑓 𐑷𐑤", "status.show_less_all": "𐑖𐑴 𐑤𐑧𐑕 𐑓 𐑷𐑤",
"status.show_more": "𐑖𐑴 𐑥𐑹",
"status.show_more_all": "𐑖𐑴 𐑥𐑹 𐑓 𐑷𐑤", "status.show_more_all": "𐑖𐑴 𐑥𐑹 𐑓 𐑷𐑤",
"status.show_original": "Show original",
"status.title": "𐑐𐑴𐑕𐑑", "status.title": "𐑐𐑴𐑕𐑑",
"status.title_direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡", "status.title_direct": "𐑛𐑦𐑮𐑧𐑒𐑑 𐑥𐑧𐑕𐑦𐑡",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "𐑮𐑦𐑥𐑵𐑝 𐑚𐑫𐑒𐑥𐑸𐑒", "status.unbookmark": "𐑮𐑦𐑥𐑵𐑝 𐑚𐑫𐑒𐑥𐑸𐑒",
"status.unbookmarked": "𐑚𐑫𐑒𐑥𐑸𐑒 𐑮𐑦𐑥𐑵𐑝𐑛.", "status.unbookmarked": "𐑚𐑫𐑒𐑥𐑸𐑒 𐑮𐑦𐑥𐑵𐑝𐑛.",
"status.unmute_conversation": "𐑳𐑯𐑥𐑿𐑑 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯", "status.unmute_conversation": "𐑳𐑯𐑥𐑿𐑑 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "𐑒𐑤𐑦𐑒 𐑑 𐑕𐑰 {count} 𐑯𐑿 {count, plural, 𐑢𐑳𐑯 {post} 𐑳𐑞𐑼 {posts}}", "status_list.queue_label": "𐑒𐑤𐑦𐑒 𐑑 𐑕𐑰 {count} 𐑯𐑿 {count, plural, 𐑢𐑳𐑯 {post} 𐑳𐑞𐑼 {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "𐑢𐑳𐑯 𐑹 𐑥𐑹 𐑐𐑴𐑕𐑑𐑕 𐑦𐑟 𐑳𐑯𐑩𐑝𐑱𐑤𐑩𐑚𐑩𐑤.", "statuses.tombstone": "𐑢𐑳𐑯 𐑹 𐑥𐑹 𐑐𐑴𐑕𐑑𐑕 𐑦𐑟 𐑳𐑯𐑩𐑝𐑱𐑤𐑩𐑚𐑩𐑤.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "𐑛𐑦𐑕𐑥𐑦𐑕 𐑕𐑩𐑡𐑧𐑕𐑗𐑩𐑯", "suggestions.dismiss": "𐑛𐑦𐑕𐑥𐑦𐑕 𐑕𐑩𐑡𐑧𐑕𐑗𐑩𐑯",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "𐑷𐑤", "tabs_bar.all": "𐑷𐑤",
"tabs_bar.chats": "𐑗𐑨𐑑𐑕", "tabs_bar.chats": "𐑗𐑨𐑑𐑕",
"tabs_bar.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛", "tabs_bar.dashboard": "𐑛𐑨𐑖𐑚𐑹𐑛",
"tabs_bar.fediverse": "·𐑓𐑧𐑛𐑦𐑝𐑻𐑕", "tabs_bar.fediverse": "·𐑓𐑧𐑛𐑦𐑝𐑻𐑕",
"tabs_bar.home": "𐑣𐑴𐑥", "tabs_bar.home": "𐑣𐑴𐑥",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟", "tabs_bar.notifications": "𐑯𐑴𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑩𐑯𐑟",
"tabs_bar.post": "𐑐𐑴𐑕𐑑",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "𐑕𐑻𐑗", "tabs_bar.search": "𐑕𐑻𐑗",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "𐑕𐑢𐑦𐑗 𐑑 𐑛𐑸𐑒 𐑔𐑰𐑥", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "𐑕𐑢𐑦𐑗 𐑑 𐑤𐑲𐑑 𐑔𐑰𐑥", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} 𐑤𐑧𐑓𐑑", "time_remaining.days": "{number, plural, one {# day} other {# days}} 𐑤𐑧𐑓𐑑",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} 𐑤𐑧𐑓𐑑", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} 𐑤𐑧𐑓𐑑",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} 𐑤𐑧𐑓𐑑", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} 𐑤𐑧𐑓𐑑",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} 𐑤𐑧𐑓𐑑", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} 𐑤𐑧𐑓𐑑",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people} 𐑑𐑷𐑒𐑦𐑙", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people} 𐑑𐑷𐑒𐑦𐑙",
"trends.title": "𐑑𐑮𐑧𐑯𐑛𐑟", "trends.title": "𐑑𐑮𐑧𐑯𐑛𐑟",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "𐑘𐑹 𐑛𐑮𐑭𐑓𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑤𐑪𐑕𐑑 𐑦𐑓 𐑿 𐑤𐑰𐑝.", "ui.beforeunload": "𐑘𐑹 𐑛𐑮𐑭𐑓𐑑 𐑢𐑦𐑤 𐑚𐑰 𐑤𐑪𐑕𐑑 𐑦𐑓 𐑿 𐑤𐑰𐑝.",
"unauthorized_modal.text": "𐑿 𐑯𐑰𐑛 𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛 𐑦𐑯 𐑑 𐑛𐑵 𐑞𐑨𐑑.", "unauthorized_modal.text": "𐑿 𐑯𐑰𐑛 𐑑 𐑚𐑰 𐑤𐑪𐑜𐑛 𐑦𐑯 𐑑 𐑛𐑵 𐑞𐑨𐑑.",
"unauthorized_modal.title": "𐑕𐑲𐑯 𐑳𐑐 𐑓 {site_title}", "unauthorized_modal.title": "𐑕𐑲𐑯 𐑳𐑐 𐑓 {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "𐑓𐑲𐑤 𐑳𐑐𐑤𐑴𐑛 𐑤𐑦𐑥𐑦𐑑 𐑦𐑒𐑕𐑰𐑛𐑩𐑛.", "upload_error.limit": "𐑓𐑲𐑤 𐑳𐑐𐑤𐑴𐑛 𐑤𐑦𐑥𐑦𐑑 𐑦𐑒𐑕𐑰𐑛𐑩𐑛.",
"upload_error.poll": "𐑓𐑲𐑤 𐑳𐑐𐑤𐑴𐑛 𐑯𐑪𐑑 𐑩𐑤𐑬𐑛 𐑢𐑦𐑞 𐑐𐑴𐑤𐑟.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "𐑛𐑦𐑕𐑒𐑮𐑲𐑚 𐑓 𐑞 𐑝𐑦𐑠𐑫𐑩𐑤𐑦 𐑦𐑥𐑐𐑺𐑛", "upload_form.description": "𐑛𐑦𐑕𐑒𐑮𐑲𐑚 𐑓 𐑞 𐑝𐑦𐑠𐑫𐑩𐑤𐑦 𐑦𐑥𐑐𐑺𐑛",
"upload_form.preview": "𐑐𐑮𐑰𐑝𐑿", "upload_form.preview": "𐑐𐑮𐑰𐑝𐑿",
@ -1067,5 +1188,7 @@
"video.pause": "𐑐𐑷𐑟", "video.pause": "𐑐𐑷𐑟",
"video.play": "𐑐𐑤𐑱", "video.play": "𐑐𐑤𐑱",
"video.unmute": "𐑳𐑯𐑥𐑿𐑑 𐑕𐑬𐑯𐑛", "video.unmute": "𐑳𐑯𐑥𐑿𐑑 𐑕𐑬𐑯𐑛",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "𐑣𐑵 𐑑 𐑓𐑪𐑤𐑴" "who_to_follow.title": "𐑣𐑵 𐑑 𐑓𐑪𐑤𐑴"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Hide everything from {domain}", "account.block_domain": "Hide everything from {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct message @{name}", "account.direct": "Direct message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Edit profile", "account.edit_profile": "Edit profile",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Follow", "account.follow": "Follow",
"account.followers": "Followers", "account.followers": "Followers",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Following", "account.follows": "Following",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Follows you", "account.follows_you": "Follows you",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mention", "account.mention": "Mention",
"account.moved_to": "{name} has moved to:",
"account.mute": "Mute @{name}", "account.mute": "Mute @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Posts & replies", "account.posts_with_replies": "Posts & replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Report @{name}", "account.report": "Report @{name}",
"account.requested": "Awaiting approval. Click to cancel follow request", "account.requested": "Awaiting approval. Click to cancel follow request",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Unblock @{name}", "account.unblock": "Unblock @{name}",
"account.unblock_domain": "Unhide {domain}", "account.unblock_domain": "Unhide {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Unfollow", "account.unfollow": "Unfollow",
"account.unmute": "Unmute @{name}", "account.unmute": "Unmute @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Waitlist", "admin_nav.awaiting_approval": "Waitlist",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "You can press {combo} to skip this next time", "boost_modal.combo": "You can press {combo} to skip this next time",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Local timeline", "column.community": "Local timeline",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Follow requests", "column.follow_requests": "Follow requests",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Home", "column.home": "Home",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,19 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Back", "column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"common.error": "Something isn't right. Try reloading the page.", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.media_only": "Media Only", "compare_history_modal.header": "Edit history",
"community.column_settings.title": "Local timeline settings",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent!", "compose.submit_success": "Your post was sent!",
"compose_form.direct_message_warning": "This post will only be sent to the mentioned users.", "compose_form.direct_message_warning": "This post will only be sent to the mentioned users.",
@ -274,21 +296,25 @@
"compose_form.placeholder": "What's on your mind?", "compose_form.placeholder": "What's on your mind?",
"compose_form.poll.add_option": "Add an answer", "compose_form.poll.add_option": "Add an answer",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Answer #{number}", "compose_form.poll.option_placeholder": "Answer #{number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Remove this answer", "compose_form.poll.remove_option": "Remove this answer",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple answers", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple answers",
"compose_form.poll.switch_to_single": "Change poll to allow for a single answer", "compose_form.poll.switch_to_single": "Change poll to allow for a single answer",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Post", "compose_form.publish": "Post",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Write your warning here (optional)", "compose_form.spoiler_placeholder": "Write your warning here (optional)",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -313,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -332,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -345,14 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!",
"datepicker.month": "Month",
"datepicker.day": "Day", "datepicker.day": "Day",
"datepicker.year": "Year",
"datepicker.hint": "Scheduled to post at…", "datepicker.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -364,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -398,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -409,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Your profile has been successfully saved!", "edit_profile.success": "Your profile has been successfully 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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -452,22 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "Or you can visit {public} to get started and meet other users.", "empty_column.home": "Or you can visit {public} to get started and meet other users.",
"empty_column.home.title": "You're not following anyone yet",
"empty_column.home.subtitle": "{siteTitle} gets more interesting once you follow other users.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.", "empty_column.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.", "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -493,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -504,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "People To Follow",
"follow_recommendations.lead": "Here are some suggestions of exciting accounts to follow. Don't be afraid to make mistakes; you can unfollow people at any time.",
"follow_request.authorize": "Authorize", "follow_request.authorize": "Authorize",
"follow_request.reject": "Reject", "follow_request.reject": "Reject",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} is open source software. You can contribute or report issues at {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -549,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Show reposts", "home.column_settings.show_reblogs": "Show reposts",
"home.column_settings.show_replies": "Show replies", "home.column_settings.show_replies": "Show replies",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -570,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -644,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth.", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth.",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -667,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -677,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Not found", "missing_indicator.label": "Not found",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blocks", "navigation_bar.blocks": "Blocks",
"navigation_bar.compose": "Compose a post", "navigation_bar.compose": "Compose a post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Domain blocks", "navigation_bar.domain_blocks": "Domain blocks",
@ -707,60 +735,50 @@
"navigation_bar.mutes": "Mutes", "navigation_bar.mutes": "Mutes",
"navigation_bar.preferences": "Preferences", "navigation_bar.preferences": "Preferences",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} liked your post", "notification.favourite": "{name} liked your post",
"notification.follow": "{name} followed you", "notification.follow": "{name} followed you",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mentioned you", "notification.mention": "{name} mentioned you",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} reposted your post", "notification.reblog": "{name} reposted your post",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clear notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Desktop notifications",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Likes:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "New followers:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mentions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Reposts:",
"notifications.column_settings.show": "Show in column",
"notifications.column_settings.sound": "Play sound",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Likes", "notifications.filter.favourites": "Likes",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -775,33 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Submit Vote", "poll.vote": "Submit Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos", "preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide posts marked as sensitive", "preferences.fields.display_media.default": "Hide posts marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide posts", "preferences.fields.display_media.hide_all": "Always hide posts",
"preferences.fields.display_media.show_all": "Always show posts", "preferences.fields.display_media.show_all": "Always show posts",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings", "preferences.fields.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Display Language", "preferences.fields.language_label": "Display Language",
"preferences.fields.media_display_label": "Sensitive content", "preferences.fields.media_display_label": "Sensitive content",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -813,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -830,18 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.minimum_characters": "8 characters",
"registration.validation.capital_letter": "1 capital letter", "registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter", "registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -871,16 +922,34 @@
"reply_indicator.cancel": "Cancel", "reply_indicator.cancel": "Cancel",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your server moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Additional comments", "report.placeholder": "Additional comments",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Reporting {target}", "report.target": "Reporting {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -889,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -905,34 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service", "shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -941,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -974,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Moderate @{name}", "status.admin_account": "Moderate @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -987,18 +1075,16 @@
"status.delete": "Delete", "status.delete": "Delete",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed post", "status.embed": "Embed post",
"status.external": "View post on {domain}",
"status.favourite": "Like", "status.favourite": "Like",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.in_review_warning": "Content Under Review", "status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.in_review_summary.summary": "This post has been sent to Moderation for review and is only visible to you.", "status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.in_review_summary.contact": "If you believe this is in error please {link}.",
"status.in_review_summary.link": "Contact Support",
"status.load_more": "Load more", "status.load_more": "Load more",
"status.media_hidden": "Media hidden",
"status.mention": "Mention @{name}", "status.mention": "Mention @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Expand this post", "status.open": "Expand this post",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -1011,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1024,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Sensitive content", "status.sensitive_warning": "Sensitive content",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Show less",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "@{username}'s post", "status.title": "@{username}'s post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1038,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home", "tabs_bar.home": "Home",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifications", "tabs_bar.notifications": "Notifications",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1059,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1067,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1082,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "People To Follow" "who_to_follow.title": "People To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Kaŝi ĉion de {domain}", "account.block_domain": "Kaŝi ĉion de {domain}",
"account.blocked": "Blokita", "account.blocked": "Blokita",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Rekte mesaĝi @{name}", "account.direct": "Rekte mesaĝi @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Redakti profilon", "account.edit_profile": "Redakti profilon",
"account.endorse": "Montri en profilo", "account.endorse": "Montri en profilo",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Sekvi", "account.follow": "Sekvi",
"account.followers": "Sekvantoj", "account.followers": "Sekvantoj",
"account.followers.empty": "Ankoraŭ neniu sekvas tiun uzanton.", "account.followers.empty": "Ankoraŭ neniu sekvas tiun uzanton.",
"account.follows": "Sekvatoj", "account.follows": "Sekvatoj",
"account.follows.empty": "Tiu uzanto ankoraŭ ne sekvas iun.", "account.follows.empty": "Tiu uzanto ankoraŭ ne sekvas iun.",
"account.follows_you": "Sekvas vin", "account.follows_you": "Sekvas vin",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Kaŝi diskonigojn de @{name}", "account.hide_reblogs": "Kaŝi diskonigojn de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "La posedanto de tiu ligilo estis kontrolita je {date}", "account.link_verified_on": "La posedanto de tiu ligilo estis kontrolita je {date}",
@ -30,36 +34,56 @@
"account.media": "Aŭdovidaĵoj", "account.media": "Aŭdovidaĵoj",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mencii", "account.mention": "Mencii",
"account.moved_to": "{name} moviĝis al:",
"account.mute": "Silentigi @{name}", "account.mute": "Silentigi @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Mesaĝoj", "account.posts": "Mesaĝoj",
"account.posts_with_replies": "Kun respondoj", "account.posts_with_replies": "Kun respondoj",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Signali @{name}", "account.report": "Signali @{name}",
"account.requested": "Atendo de aprobo. Alklaku por nuligi peton de sekvado", "account.requested": "Atendo de aprobo. Alklaku por nuligi peton de sekvado",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Diskonigi la profilon de @{name}", "account.share": "Diskonigi la profilon de @{name}",
"account.show_reblogs": "Montri diskonigojn de @{name}", "account.show_reblogs": "Montri diskonigojn de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Malbloki @{name}", "account.unblock": "Malbloki @{name}",
"account.unblock_domain": "Malkaŝi {domain}", "account.unblock_domain": "Malkaŝi {domain}",
"account.unendorse": "Ne montri en profilo", "account.unendorse": "Ne montri en profilo",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Ne plu sekvi", "account.unfollow": "Ne plu sekvi",
"account.unmute": "Malsilentigi @{name}", "account.unmute": "Malsilentigi @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Vi povas premi {combo} por preterpasi sekvafoje", "boost_modal.combo": "Vi povas premi {combo} por preterpasi sekvafoje",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Io misfunkciis en la ŝargado de ĉi tiu elemento.", "bundle_column_error.body": "Io misfunkciis en la ŝargado de ĉi tiu elemento.",
"bundle_column_error.retry": "Bonvolu reprovi", "bundle_column_error.retry": "Bonvolu reprovi",
"bundle_column_error.title": "Reta eraro", "bundle_column_error.title": "Reta eraro",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Loka tempolinio", "column.community": "Loka tempolinio",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Rektaj mesaĝoj", "column.direct": "Rektaj mesaĝoj",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Kaŝitaj domajnoj", "column.domain_blocks": "Kaŝitaj domajnoj",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Petoj de sekvado", "column.follow_requests": "Petoj de sekvado",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Hejmo", "column.home": "Hejmo",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Reveni", "column_back_button.label": "Reveni",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Montri agordojn",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Nur aŭdovidaĵoj", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Tiu mesaĝo estos sendita nur al menciitaj uzantoj.", "compose_form.direct_message_warning": "Tiu mesaĝo estos sendita nur al menciitaj uzantoj.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Pri kio vi pensas?", "compose_form.placeholder": "Pri kio vi pensas?",
"compose_form.poll.add_option": "Aldoni elekteblon", "compose_form.poll.add_option": "Aldoni elekteblon",
"compose_form.poll.duration": "Balotenketa daŭro", "compose_form.poll.duration": "Balotenketa daŭro",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Elekteblo {number}", "compose_form.poll.option_placeholder": "Elekteblo {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Forigi ĉi tiu elekteblon", "compose_form.poll.remove_option": "Forigi ĉi tiu elekteblon",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Hup", "compose_form.publish": "Hup",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marki la aŭdovidaĵojn kiel tiklaj",
"compose_form.sensitive.marked": "Aŭdovidaĵo markita tikla",
"compose_form.sensitive.unmarked": "Aŭdovidaĵo ne markita tikla",
"compose_form.spoiler.marked": "Teksto kaŝita malantaŭ averto", "compose_form.spoiler.marked": "Teksto kaŝita malantaŭ averto",
"compose_form.spoiler.unmarked": "Teksto ne kaŝita", "compose_form.spoiler.unmarked": "Teksto ne kaŝita",
"compose_form.spoiler_placeholder": "Skribu vian averton ĉi tie", "compose_form.spoiler_placeholder": "Skribu vian averton ĉi tie",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Nuligi", "confirmation_modal.cancel": "Nuligi",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloki", "confirmations.block.confirm": "Bloki",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Ĉu vi certas, ke vi volas bloki {name}?", "confirmations.block.message": "Ĉu vi certas, ke vi volas bloki {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Forigi", "confirmations.delete.confirm": "Forigi",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Ĉu vi certas, ke vi volas forigi ĉi tiun mesaĝon?", "confirmations.delete.message": "Ĉu vi certas, ke vi volas forigi ĉi tiun mesaĝon?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Respondi", "confirmations.reply.confirm": "Respondi",
"confirmations.reply.message": "Respondi nun anstataŭigos la mesaĝon, kiun vi nun skribas. Ĉu vi certas, ke vi volas daŭrigi?", "confirmations.reply.message": "Respondi nun anstataŭigos la mesaĝon, kiun vi nun skribas. Ĉu vi certas, ke vi volas daŭrigi?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Enkorpigu ĉi tiun mesaĝon en vian retejon per kopio de la suba kodo.", "embed.instructions": "Enkorpigu ĉi tiun mesaĝon en vian retejon per kopio de la suba kodo.",
"embed.preview": "Ĝi aperos tiel:",
"emoji_button.activity": "Agadoj", "emoji_button.activity": "Agadoj",
"emoji_button.custom": "Propraj", "emoji_button.custom": "Propraj",
"emoji_button.flags": "Flagoj", "emoji_button.flags": "Flagoj",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Vi ne ankoraŭ havas iun peton de sekvado. Kiam vi ricevos unu, ĝi aperos ĉi tie.", "empty_column.follow_requests": "Vi ne ankoraŭ havas iun peton de sekvado. Kiam vi ricevos unu, ĝi aperos ĉi tie.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Ankoraŭ estas nenio per ĉi tiu kradvorto.", "empty_column.hashtag": "Ankoraŭ estas nenio per ĉi tiu kradvorto.",
"empty_column.home": "Via hejma tempolinio estas malplena! Vizitu {public} aŭ uzu la serĉilon por renkonti aliajn uzantojn.", "empty_column.home": "Via hejma tempolinio estas malplena! Vizitu {public} aŭ uzu la serĉilon por renkonti aliajn uzantojn.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Ankoraŭ estas nenio en ĉi tiu listo. Kiam membroj de ĉi tiu listo afiŝos novajn mesaĝojn, ili aperos ĉi tie.", "empty_column.list": "Ankoraŭ estas nenio en ĉi tiu listo. Kiam membroj de ĉi tiu listo afiŝos novajn mesaĝojn, ili aperos ĉi tie.",
"empty_column.lists": "Vi ankoraŭ ne havas liston. Kiam vi kreos iun, ĝi aperos ĉi tie.", "empty_column.lists": "Vi ankoraŭ ne havas liston. Kiam vi kreos iun, ĝi aperos ĉi tie.",
"empty_column.mutes": "Vi ne ankoraŭ silentigis iun uzanton.", "empty_column.mutes": "Vi ne ankoraŭ silentigis iun uzanton.",
"empty_column.notifications": "Vi ankoraŭ ne havas sciigojn. Interagu kun aliaj por komenci konversacion.", "empty_column.notifications": "Vi ankoraŭ ne havas sciigojn. Interagu kun aliaj por komenci konversacion.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Estas nenio ĉi tie! Publike skribu ion, aŭ mane sekvu uzantojn de aliaj serviloj por plenigi la publikan tempolinion", "empty_column.public": "Estas nenio ĉi tie! Publike skribu ion, aŭ mane sekvu uzantojn de aliaj serviloj por plenigi la publikan tempolinion",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Rajtigi", "follow_request.authorize": "Rajtigi",
"follow_request.reject": "Rifuzi", "follow_request.reject": "Rifuzi",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} estas malfermitkoda programo. Vi povas kontribui aŭ raporti problemojn en GitLab je {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} estas malfermitkoda programo. Vi povas kontribui aŭ raporti problemojn en GitLab je {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "kaj {additional}", "hashtag.column_header.tag_mode.all": "kaj {additional}",
"hashtag.column_header.tag_mode.any": "aŭ {additional}", "hashtag.column_header.tag_mode.any": "aŭ {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}", "hashtag.column_header.tag_mode.none": "sen {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Montri diskonigojn", "home.column_settings.show_reblogs": "Montri diskonigojn",
"home.column_settings.show_replies": "Montri respondojn", "home.column_settings.show_replies": "Montri respondojn",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# tago} other {# tagoj}}", "intervals.full.days": "{number, plural, one {# tago} other {# tagoj}}",
"intervals.full.hours": "{number, plural, one {# horo} other {# horoj}}", "intervals.full.hours": "{number, plural, one {# horo} other {# horoj}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minutoj}}", "intervals.full.minutes": "{number, plural, one {# minuto} other {# minutoj}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "por reveni", "keyboard_shortcuts.back": "por reveni",
"keyboard_shortcuts.blocked": "por malfermi la liston de blokitaj uzantoj", "keyboard_shortcuts.blocked": "por malfermi la liston de blokitaj uzantoj",
"keyboard_shortcuts.boost": "por diskonigi", "keyboard_shortcuts.boost": "por diskonigi",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Baskuligi videblecon", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ne trovita", "missing_indicator.label": "Ne trovita",
"missing_indicator.sublabel": "Ĉi tiu elemento ne estis trovita", "missing_indicator.sublabel": "Ĉi tiu elemento ne estis trovita",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Ĉu vi volas kaŝi la sciigojn de ĉi tiu uzanto?", "mute_modal.hide_notifications": "Ĉu vi volas kaŝi la sciigojn de ĉi tiu uzanto?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokitaj uzantoj", "navigation_bar.blocks": "Blokitaj uzantoj",
"navigation_bar.compose": "Skribi novan mesaĝon", "navigation_bar.compose": "Skribi novan mesaĝon",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Kaŝitaj domajnoj", "navigation_bar.domain_blocks": "Kaŝitaj domajnoj",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Silentigitaj uzantoj", "navigation_bar.mutes": "Silentigitaj uzantoj",
"navigation_bar.preferences": "Preferoj", "navigation_bar.preferences": "Preferoj",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Sekureco",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} stelumis vian mesaĝon", "notification.favourite": "{name} stelumis vian mesaĝon",
"notification.follow": "{name} eksekvis vin", "notification.follow": "{name} eksekvis vin",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} menciis vin", "notification.mention": "{name} menciis vin",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Partoprenita balotenketo finiĝis", "notification.poll": "Partoprenita balotenketo finiĝis",
"notification.reblog": "{name} diskonigis vian mesaĝon", "notification.reblog": "{name} diskonigis vian mesaĝon",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Forviŝi sciigojn", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Ĉu vi certas, ke vi volas porĉiame forviŝi ĉiujn viajn sciigojn?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Retumilaj sciigoj",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Stelumoj:",
"notifications.column_settings.filter_bar.advanced": "Montri ĉiujn kategoriojn",
"notifications.column_settings.filter_bar.category": "Rapida filtra breto",
"notifications.column_settings.filter_bar.show": "Montri",
"notifications.column_settings.follow": "Novaj sekvantoj:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mencioj:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Balotenketaj rezultoj:",
"notifications.column_settings.push": "Puŝsciigoj",
"notifications.column_settings.reblog": "Diskonigoj:",
"notifications.column_settings.show": "Montri en kolumno",
"notifications.column_settings.sound": "Eligi sonon",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Ĉiuj", "notifications.filter.all": "Ĉiuj",
"notifications.filter.boosts": "Diskonigoj", "notifications.filter.boosts": "Diskonigoj",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Stelumoj", "notifications.filter.favourites": "Stelumoj",
"notifications.filter.follows": "Sekvoj", "notifications.filter.follows": "Sekvoj",
"notifications.filter.mentions": "Mencioj", "notifications.filter.mentions": "Mencioj",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Balotenketaj rezultoj", "notifications.filter.polls": "Balotenketaj rezultoj",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} sciigoj", "notifications.group": "{count} sciigoj",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Finita", "poll.closed": "Finita",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Aktualigi", "poll.refresh": "Aktualigi",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# voĉdono} other {# voĉdonoj}}", "poll.total_votes": "{count, plural, one {# voĉdono} other {# voĉdonoj}}",
"poll.vote": "Voĉdoni", "poll.vote": "Voĉdoni",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Aldoni balotenketon", "poll_button.add_poll": "Aldoni balotenketon",
"poll_button.remove_poll": "Forigi balotenketon", "poll_button.remove_poll": "Forigi balotenketon",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Agordi mesaĝan privatecon", "privacy.change": "Agordi mesaĝan privatecon",
"privacy.direct.long": "Afiŝi nur al menciitaj uzantoj", "privacy.direct.long": "Afiŝi nur al menciitaj uzantoj",
"privacy.direct.short": "Rekta", "privacy.direct.short": "Rekta",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Nelistigita", "privacy.unlisted.short": "Nelistigita",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Ŝargado…", "regeneration_indicator.label": "Ŝargado…",
"regeneration_indicator.sublabel": "Via hejma fluo pretiĝas!", "regeneration_indicator.sublabel": "Via hejma fluo pretiĝas!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}t", "relative_time.days": "{number}t",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "nun", "relative_time.just_now": "nun",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Nuligi", "reply_indicator.cancel": "Nuligi",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Plusendi al {target}", "report.forward": "Plusendi al {target}",
"report.forward_hint": "La konto estas en alia servilo. Ĉu sendi sennomigitan kopion de la signalo ankaŭ tien?", "report.forward_hint": "La konto estas en alia servilo. Ĉu sendi sennomigitan kopion de la signalo ankaŭ tien?",
"report.hint": "La signalo estos sendita al la kontrolantoj de via servilo. Vi povas doni klarigon pri kial vi signalas ĉi tiun konton sube:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Pliaj komentoj", "report.placeholder": "Pliaj komentoj",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Sendi", "report.submit": "Sendi",
"report.target": "Signali {target}", "report.target": "Signali {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Serĉi", "search.placeholder": "Serĉi",
"search_results.accounts": "Homoj", "search_results.accounts": "Homoj",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Kradvortoj", "search_results.hashtags": "Kradvortoj",
"search_results.statuses": "Mesaĝoj", "search_results.statuses": "Mesaĝoj",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Malfermi la kontrolan interfacon por @{name}", "status.admin_account": "Malfermi la kontrolan interfacon por @{name}",
"status.admin_status": "Malfermi ĉi tiun mesaĝon en la kontrola interfaco", "status.admin_status": "Malfermi ĉi tiun mesaĝon en la kontrola interfaco",
"status.block": "Bloki @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Ne plu diskonigi", "status.cancel_reblog_private": "Ne plu diskonigi",
@ -976,14 +1075,16 @@
"status.delete": "Forigi", "status.delete": "Forigi",
"status.detailed_status": "Detala konversacia vido", "status.detailed_status": "Detala konversacia vido",
"status.direct": "Rekte mesaĝi @{name}", "status.direct": "Rekte mesaĝi @{name}",
"status.edit": "Edit",
"status.embed": "Enkorpigi", "status.embed": "Enkorpigi",
"status.external": "View post on {domain}",
"status.favourite": "Stelumi", "status.favourite": "Stelumi",
"status.filtered": "Filtrita", "status.filtered": "Filtrita",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Ŝargi pli", "status.load_more": "Ŝargi pli",
"status.media_hidden": "Aŭdovidaĵo kaŝita",
"status.mention": "Mencii @{name}", "status.mention": "Mencii @{name}",
"status.more": "Pli", "status.more": "Pli",
"status.mute": "Silentigi @{name}",
"status.mute_conversation": "Silentigi konversacion", "status.mute_conversation": "Silentigi konversacion",
"status.open": "Grandigi", "status.open": "Grandigi",
"status.pin": "Alpingli profile", "status.pin": "Alpingli profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Legi pli", "status.read_more": "Legi pli",
"status.reblog": "Diskonigi", "status.reblog": "Diskonigi",
"status.reblog_private": "Diskonigi al la originala atentaro", "status.reblog_private": "Diskonigi al la originala atentaro",
@ -1009,13 +1109,15 @@
"status.replyAll": "Respondi al la fadeno", "status.replyAll": "Respondi al la fadeno",
"status.report": "Signali @{name}", "status.report": "Signali @{name}",
"status.sensitive_warning": "Tikla enhavo", "status.sensitive_warning": "Tikla enhavo",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Diskonigi", "status.share": "Diskonigi",
"status.show_less": "Malgrandigi",
"status.show_less_all": "Malgrandigi ĉiujn", "status.show_less_all": "Malgrandigi ĉiujn",
"status.show_more": "Grandigi",
"status.show_more_all": "Grandigi ĉiujn", "status.show_more_all": "Grandigi ĉiujn",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Malsilentigi la konversacion", "status.unmute_conversation": "Malsilentigi la konversacion",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Forigi la proponon", "suggestions.dismiss": "Forigi la proponon",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hejmo", "tabs_bar.home": "Hejmo",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Sciigoj", "tabs_bar.notifications": "Sciigoj",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Serĉi", "tabs_bar.search": "Serĉi",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# tago} other {# tagoj}} restas", "time_remaining.days": "{number, plural, one {# tago} other {# tagoj}} restas",
"time_remaining.hours": "{number, plural, one {# horo} other {# horoj}} restas", "time_remaining.hours": "{number, plural, one {# horo} other {# horoj}} restas",
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minutoj}} restas", "time_remaining.minutes": "{number, plural, one {# minuto} other {# minutoj}} restas",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# sekundo} other {# sekundoj}} restas", "time_remaining.seconds": "{number, plural, one {# sekundo} other {# sekundoj}} restas",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persono} other {personoj}} parolas", "trends.count_by_accounts": "{count} {rawCount, plural, one {persono} other {personoj}} parolas",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Via malneto perdiĝos se vi eliras de Soapbox.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Limo de dosiera alŝutado transpasita.", "upload_error.limit": "Limo de dosiera alŝutado transpasita.",
"upload_error.poll": "Alŝuto de dosiero ne permesita kun balotenketo.", "upload_error.poll": "Alŝuto de dosiero ne permesita kun balotenketo.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Priskribi por misvidantaj homoj", "upload_form.description": "Priskribi por misvidantaj homoj",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Paŭzi", "video.pause": "Paŭzi",
"video.play": "Ekigi", "video.play": "Ekigi",
"video.unmute": "Malsilentigi", "video.unmute": "Malsilentigi",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Ocultar todo de {domain}", "account.block_domain": "Ocultar todo de {domain}",
"account.blocked": "Bloqueado", "account.blocked": "Bloqueado",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Mensaje directo a @{name}", "account.direct": "Mensaje directo a @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Editar perfil", "account.edit_profile": "Editar perfil",
"account.endorse": "Destacar en el perfil", "account.endorse": "Destacar en el perfil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Seguir", "account.follow": "Seguir",
"account.followers": "Seguidores", "account.followers": "Seguidores",
"account.followers.empty": "Todavía nadie sigue a este usuario.", "account.followers.empty": "Todavía nadie sigue a este usuario.",
"account.follows": "Sigue", "account.follows": "Sigue",
"account.follows.empty": "Todavía este usuario no sigue a nadie.", "account.follows.empty": "Todavía este usuario no sigue a nadie.",
"account.follows_you": "Te sigue", "account.follows_you": "Te sigue",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Ocultar retoots de @{name}", "account.hide_reblogs": "Ocultar retoots de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "La propiedad de este enlace fue verificada el {date}", "account.link_verified_on": "La propiedad de este enlace fue verificada el {date}",
@ -30,36 +34,56 @@
"account.media": "Medios", "account.media": "Medios",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mencionar", "account.mention": "Mencionar",
"account.moved_to": "{name} se ha muó a:",
"account.mute": "Silenciar a @{name}", "account.mute": "Silenciar a @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Toots con respuestas", "account.posts_with_replies": "Toots con respuestas",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Denunciar a @{name}", "account.report": "Denunciar a @{name}",
"account.requested": "Esperando aprobación. Hacé clic para cancelar la solicitud de seguimiento.", "account.requested": "Esperando aprobación. Hacé clic para cancelar la solicitud de seguimiento.",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Compartir el perfil de @{name}", "account.share": "Compartir el perfil de @{name}",
"account.show_reblogs": "Mostrar retoots de @{name}", "account.show_reblogs": "Mostrar retoots de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desbloquear a @{name}", "account.unblock": "Desbloquear a @{name}",
"account.unblock_domain": "Mostrar {domain}", "account.unblock_domain": "Mostrar {domain}",
"account.unendorse": "No destacar en el perfil", "account.unendorse": "No destacar en el perfil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Dejar de seguir", "account.unfollow": "Dejar de seguir",
"account.unmute": "Dejar de silenciar a @{name}", "account.unmute": "Dejar de silenciar a @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Podés hacer clic en {combo} para saltar esto la próxima vez", "boost_modal.combo": "Podés hacer clic en {combo} para saltar esto la próxima vez",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Algo salió mal al cargar este componente.", "bundle_column_error.body": "Algo salió mal al cargar este componente.",
"bundle_column_error.retry": "Intentá de nuevo", "bundle_column_error.retry": "Intentá de nuevo",
"bundle_column_error.title": "Error de red", "bundle_column_error.title": "Error de red",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Línea temporal local", "column.community": "Línea temporal local",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Mensajes directos", "column.direct": "Mensajes directos",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Dominios ocultos", "column.domain_blocks": "Dominios ocultos",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Solicitudes de seguimiento", "column.follow_requests": "Solicitudes de seguimiento",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Principal", "column.home": "Principal",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Volver", "column_back_button.label": "Volver",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mostrar configuración",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Sólo medios", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Este toot sólo será enviado a los usuarios mencionados.", "compose_form.direct_message_warning": "Este toot sólo será enviado a los usuarios mencionados.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "¿Qué onda?", "compose_form.placeholder": "¿Qué onda?",
"compose_form.poll.add_option": "Agregá una opción", "compose_form.poll.add_option": "Agregá una opción",
"compose_form.poll.duration": "Duración de la encuesta", "compose_form.poll.duration": "Duración de la encuesta",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Opción {number}", "compose_form.poll.option_placeholder": "Opción {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Quitá esta opción", "compose_form.poll.remove_option": "Quitá esta opción",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tootear", "compose_form.publish": "Tootear",
"compose_form.publish_loud": "¡{publish}!", "compose_form.publish_loud": "¡{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marcar medio como sensible",
"compose_form.sensitive.marked": "El medio se marcó como sensible",
"compose_form.sensitive.unmarked": "El medio no está marcado como sensible",
"compose_form.spoiler.marked": "El texto está oculto detrás de la advertencia", "compose_form.spoiler.marked": "El texto está oculto detrás de la advertencia",
"compose_form.spoiler.unmarked": "El texto no está oculto", "compose_form.spoiler.unmarked": "El texto no está oculto",
"compose_form.spoiler_placeholder": "Escribí tu advertencia acá", "compose_form.spoiler_placeholder": "Escribí tu advertencia acá",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancelar", "confirmation_modal.cancel": "Cancelar",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloquear", "confirmations.block.confirm": "Bloquear",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "¿Estás seguro que querés bloquear a {name}?", "confirmations.block.message": "¿Estás seguro que querés bloquear a {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Eliminar", "confirmations.delete.confirm": "Eliminar",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "¿Estás seguro que querés eliminar este estado?", "confirmations.delete.message": "¿Estás seguro que querés eliminar este estado?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Responder", "confirmations.reply.confirm": "Responder",
"confirmations.reply.message": "Responder ahora sobreescribirá el mensaje que estás redactando actualmente. ¿Estás seguro que querés seguir?", "confirmations.reply.message": "Responder ahora sobreescribirá el mensaje que estás redactando actualmente. ¿Estás seguro que querés seguir?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Insertá este toot a tu sitio web copiando el código de abajo.", "embed.instructions": "Insertá este toot a tu sitio web copiando el código de abajo.",
"embed.preview": "Así es cómo se verá:",
"emoji_button.activity": "Actividad", "emoji_button.activity": "Actividad",
"emoji_button.custom": "Personalizado", "emoji_button.custom": "Personalizado",
"emoji_button.flags": "Banderas", "emoji_button.flags": "Banderas",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Todavía no tenés ninguna solicitud de seguimiento. Cuando recibás una, se mostrará acá.", "empty_column.follow_requests": "Todavía no tenés ninguna solicitud de seguimiento. Cuando recibás una, se mostrará acá.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Todavía no hay nada con esta etiqueta.", "empty_column.hashtag": "Todavía no hay nada con esta etiqueta.",
"empty_column.home": "¡Tu línea temporal principal está vacía! Visitá {public} o usá la búsqueda para comenzar y encontrar a otros usuarios.", "empty_column.home": "¡Tu línea temporal principal está vacía! Visitá {public} o usá la búsqueda para comenzar y encontrar a otros usuarios.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Todavía no hay nada en esta lista. Cuando miembros de esta lista envíen nuevos toots, se mostrarán acá.", "empty_column.list": "Todavía no hay nada en esta lista. Cuando miembros de esta lista envíen nuevos toots, se mostrarán acá.",
"empty_column.lists": "Todavía no tienes ninguna lista. Cuando creés una, se mostrará acá.", "empty_column.lists": "Todavía no tienes ninguna lista. Cuando creés una, se mostrará acá.",
"empty_column.mutes": "Todavía no silenciaste a ningún usuario.", "empty_column.mutes": "Todavía no silenciaste a ningún usuario.",
"empty_column.notifications": "Todavía no tenés ninguna notificación. Interactuá con otros para iniciar la conversación.", "empty_column.notifications": "Todavía no tenés ninguna notificación. Interactuá con otros para iniciar la conversación.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "¡Naranja! Escribí algo públicamente, o seguí usuarios manualmente de otros servidores para ir llenando esta línea temporal.", "empty_column.public": "¡Naranja! Escribí algo públicamente, o seguí usuarios manualmente de otros servidores para ir llenando esta línea temporal.",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autorizar", "follow_request.authorize": "Autorizar",
"follow_request.reject": "Rechazar", "follow_request.reject": "Rechazar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} es software libre. Podés contribuir o informar errores en {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} es software libre. Podés contribuir o informar errores en {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "y {additional}", "hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}", "hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sin {additional}", "hashtag.column_header.tag_mode.none": "sin {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Mostrar retoots", "home.column_settings.show_reblogs": "Mostrar retoots",
"home.column_settings.show_replies": "Mostrar respuestas", "home.column_settings.show_replies": "Mostrar respuestas",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# día} other {# días}}", "intervals.full.days": "{number, plural, one {# día} other {# días}}",
"intervals.full.hours": "{number, plural, one {# hora} other {# horas}}", "intervals.full.hours": "{number, plural, one {# hora} other {# horas}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}", "intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "para volver", "keyboard_shortcuts.back": "para volver",
"keyboard_shortcuts.blocked": "para abrir la lista de usuarios bloqueados", "keyboard_shortcuts.blocked": "para abrir la lista de usuarios bloqueados",
"keyboard_shortcuts.boost": "para retootear", "keyboard_shortcuts.boost": "para retootear",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Cambiar visibilidad", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "No se encontró", "missing_indicator.label": "No se encontró",
"missing_indicator.sublabel": "No se encontró este recurso", "missing_indicator.sublabel": "No se encontró este recurso",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "¿Querés ocultar las notificaciones de este usuario?", "mute_modal.hide_notifications": "¿Querés ocultar las notificaciones de este usuario?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Usuarios bloqueados", "navigation_bar.blocks": "Usuarios bloqueados",
"navigation_bar.compose": "Redactar un nuevo toot", "navigation_bar.compose": "Redactar un nuevo toot",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Dominios ocultos", "navigation_bar.domain_blocks": "Dominios ocultos",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Usuarios silenciados", "navigation_bar.mutes": "Usuarios silenciados",
"navigation_bar.preferences": "Configuración", "navigation_bar.preferences": "Configuración",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Seguridad",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} marcó tu estado como favorito", "notification.favourite": "{name} marcó tu estado como favorito",
"notification.follow": "{name} te empezó a seguir", "notification.follow": "{name} te empezó a seguir",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} te mencionó", "notification.mention": "{name} te mencionó",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Finalizó una encuesta en la que votaste", "notification.poll": "Finalizó una encuesta en la que votaste",
"notification.reblog": "{name} retooteó tu estado", "notification.reblog": "{name} retooteó tu estado",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Limpiar notificaciones", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "¿Estás seguro que querés limpiar todas tus notificaciones permanentemente?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notificaciones de escritorio",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoritos:",
"notifications.column_settings.filter_bar.advanced": "Mostrar todas las categorías",
"notifications.column_settings.filter_bar.category": "Barra de filtrado rápido",
"notifications.column_settings.filter_bar.show": "Mostrar",
"notifications.column_settings.follow": "Nuevos seguidores:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Menciones:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Resultados de la encuesta:",
"notifications.column_settings.push": "Notificaciones push",
"notifications.column_settings.reblog": "Retoots:",
"notifications.column_settings.show": "Mostrar en columna",
"notifications.column_settings.sound": "Reproducir sonido",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Todas", "notifications.filter.all": "Todas",
"notifications.filter.boosts": "Retoots", "notifications.filter.boosts": "Retoots",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favoritos", "notifications.filter.favourites": "Favoritos",
"notifications.filter.follows": "Seguidores", "notifications.filter.follows": "Seguidores",
"notifications.filter.mentions": "Menciones", "notifications.filter.mentions": "Menciones",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Resultados de la encuesta", "notifications.filter.polls": "Resultados de la encuesta",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notificaciones", "notifications.group": "{count} notificaciones",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Cerrada", "poll.closed": "Cerrada",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refrescar", "poll.refresh": "Refrescar",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# voto} other {# votos}}", "poll.total_votes": "{count, plural, one {# voto} other {# votos}}",
"poll.vote": "Votar", "poll.vote": "Votar",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Agregar una encuesta", "poll_button.add_poll": "Agregar una encuesta",
"poll_button.remove_poll": "Quitar encuesta", "poll_button.remove_poll": "Quitar encuesta",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Configurar privacidad de estado", "privacy.change": "Configurar privacidad de estado",
"privacy.direct.long": "Enviar toot sólo a los usuarios mencionados", "privacy.direct.long": "Enviar toot sólo a los usuarios mencionados",
"privacy.direct.short": "Directo", "privacy.direct.short": "Directo",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "No listado", "privacy.unlisted.short": "No listado",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Cargando…", "regeneration_indicator.label": "Cargando…",
"regeneration_indicator.sublabel": "¡Se está preparando tu línea temporal principal!", "regeneration_indicator.sublabel": "¡Se está preparando tu línea temporal principal!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "recién", "relative_time.just_now": "recién",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancelar", "reply_indicator.cancel": "Cancelar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Reenviar a {target}", "report.forward": "Reenviar a {target}",
"report.forward_hint": "La cuenta es de otro servidor. ¿Querés enviar una copia anonimizada del informe también ahí?", "report.forward_hint": "La cuenta es de otro servidor. ¿Querés enviar una copia anonimizada del informe también ahí?",
"report.hint": "La denuncia se enviará a los moderadores de tu servidor. Podés proporcionar una explicación de por qué estás denunciando esta cuenta, a continuación:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Comentarios adicionales", "report.placeholder": "Comentarios adicionales",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Enviar", "report.submit": "Enviar",
"report.target": "Denunciando a {target}", "report.target": "Denunciando a {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Buscar", "search.placeholder": "Buscar",
"search_results.accounts": "Gente", "search_results.accounts": "Gente",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Etiquetas", "search_results.hashtags": "Etiquetas",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Abrir interface de moderación para @{name}", "status.admin_account": "Abrir interface de moderación para @{name}",
"status.admin_status": "Abrir este estado en la interface de moderación", "status.admin_status": "Abrir este estado en la interface de moderación",
"status.block": "Bloquear a @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Quitar retoot", "status.cancel_reblog_private": "Quitar retoot",
@ -976,14 +1075,16 @@
"status.delete": "Eliminar", "status.delete": "Eliminar",
"status.detailed_status": "Vista de conversación detallada", "status.detailed_status": "Vista de conversación detallada",
"status.direct": "Mensaje directo a @{name}", "status.direct": "Mensaje directo a @{name}",
"status.edit": "Edit",
"status.embed": "Insertar", "status.embed": "Insertar",
"status.external": "View post on {domain}",
"status.favourite": "Favorito", "status.favourite": "Favorito",
"status.filtered": "Filtrado", "status.filtered": "Filtrado",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Cargar más", "status.load_more": "Cargar más",
"status.media_hidden": "Medios ocultos",
"status.mention": "Mencionar a @{name}", "status.mention": "Mencionar a @{name}",
"status.more": "Más", "status.more": "Más",
"status.mute": "Silenciar a @{name}",
"status.mute_conversation": "Silenciar conversación", "status.mute_conversation": "Silenciar conversación",
"status.open": "Expandir este estado", "status.open": "Expandir este estado",
"status.pin": "Pin en el perfil", "status.pin": "Pin en el perfil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Leer más", "status.read_more": "Leer más",
"status.reblog": "Retootear", "status.reblog": "Retootear",
"status.reblog_private": "Retootear a la audiencia original", "status.reblog_private": "Retootear a la audiencia original",
@ -1009,13 +1109,15 @@
"status.replyAll": "Responder al hilo", "status.replyAll": "Responder al hilo",
"status.report": "Denunciar a @{name}", "status.report": "Denunciar a @{name}",
"status.sensitive_warning": "Contenido sensible", "status.sensitive_warning": "Contenido sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Compartir", "status.share": "Compartir",
"status.show_less": "Mostrar menos",
"status.show_less_all": "Mostrar menos para todo", "status.show_less_all": "Mostrar menos para todo",
"status.show_more": "Mostrar más",
"status.show_more_all": "Mostrar más para todo", "status.show_more_all": "Mostrar más para todo",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Dejar de silenciar conversación", "status.unmute_conversation": "Dejar de silenciar conversación",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Descartar sugerencia", "suggestions.dismiss": "Descartar sugerencia",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Principal", "tabs_bar.home": "Principal",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notificaciones", "tabs_bar.notifications": "Notificaciones",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Buscar", "tabs_bar.search": "Buscar",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural,one {queda # día} other {quedan # días}}", "time_remaining.days": "{number, plural,one {queda # día} other {quedan # días}}",
"time_remaining.hours": "{number, plural,one {queda # hora} other {quedan # horas}}", "time_remaining.hours": "{number, plural,one {queda # hora} other {quedan # horas}}",
"time_remaining.minutes": "{number, plural,one {queda # minuto} other {quedan # minutos}}", "time_remaining.minutes": "{number, plural,one {queda # minuto} other {quedan # minutos}}",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural,one {queda # segundo} other {quedan # segundos}}", "time_remaining.seconds": "{number, plural,one {queda # segundo} other {quedan # segundos}}",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando", "trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Tu borrador se perderá si abandonás Soapbox.", "ui.beforeunload": "Tu borrador se perderá si abandonás Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Se excedió el límite de subida de archivos.", "upload_error.limit": "Se excedió el límite de subida de archivos.",
"upload_error.poll": "No se permite la subida de archivos en encuestas.", "upload_error.poll": "No se permite la subida de archivos en encuestas.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Agregar descripción para los usuarios con dificultades visuales", "upload_form.description": "Agregar descripción para los usuarios con dificultades visuales",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pausar", "video.pause": "Pausar",
"video.play": "Reproducir", "video.play": "Reproducir",
"video.unmute": "Dejar de silenciar sonido", "video.unmute": "Dejar de silenciar sonido",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Ocultar todo de {domain}", "account.block_domain": "Ocultar todo de {domain}",
"account.blocked": "Bloqueado", "account.blocked": "Bloqueado",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Mensaje directo a @{name}", "account.direct": "Mensaje directo a @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Editar perfil", "account.edit_profile": "Editar perfil",
"account.endorse": "Mostrar en perfil", "account.endorse": "Mostrar en perfil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Seguir", "account.follow": "Seguir",
"account.followers": "Seguidores", "account.followers": "Seguidores",
"account.followers.empty": "Todavía nadie sigue a este usuario.", "account.followers.empty": "Todavía nadie sigue a este usuario.",
"account.follows": "Sigue", "account.follows": "Sigue",
"account.follows.empty": "Este usuario todavía no sigue a nadie.", "account.follows.empty": "Este usuario todavía no sigue a nadie.",
"account.follows_you": "Te sigue", "account.follows_you": "Te sigue",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Ocultar retoots de @{name}", "account.hide_reblogs": "Ocultar retoots de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "El proprietario de este link fue comprobado el {date}", "account.link_verified_on": "El proprietario de este link fue comprobado el {date}",
@ -30,36 +34,56 @@
"account.media": "Multimedia", "account.media": "Multimedia",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mencionar", "account.mention": "Mencionar",
"account.moved_to": "{name} se ha mudado a:",
"account.mute": "Silenciar a @{name}", "account.mute": "Silenciar a @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Toots con respuestas", "account.posts_with_replies": "Toots con respuestas",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Reportar a @{name}", "account.report": "Reportar a @{name}",
"account.requested": "Esperando aprobación", "account.requested": "Esperando aprobación",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Compartir el perfil de @{name}", "account.share": "Compartir el perfil de @{name}",
"account.show_reblogs": "Mostrar retoots de @{name}", "account.show_reblogs": "Mostrar retoots de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desbloquear a @{name}", "account.unblock": "Desbloquear a @{name}",
"account.unblock_domain": "Mostrar a {domain}", "account.unblock_domain": "Mostrar a {domain}",
"account.unendorse": "No mostrar en el perfil", "account.unendorse": "No mostrar en el perfil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Dejar de seguir", "account.unfollow": "Dejar de seguir",
"account.unmute": "Dejar de silenciar a @{name}", "account.unmute": "Dejar de silenciar a @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Puedes hacer clic en {combo} para saltar este aviso la próxima vez", "boost_modal.combo": "Puedes hacer clic en {combo} para saltar este aviso la próxima vez",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Algo salió mal al cargar este componente.", "bundle_column_error.body": "Algo salió mal al cargar este componente.",
"bundle_column_error.retry": "Inténtalo de nuevo", "bundle_column_error.retry": "Inténtalo de nuevo",
"bundle_column_error.title": "Error de red", "bundle_column_error.title": "Error de red",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Línea de tiempo local", "column.community": "Línea de tiempo local",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Mensajes directos", "column.direct": "Mensajes directos",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Dominios ocultados", "column.domain_blocks": "Dominios ocultados",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Solicitudes de seguimiento", "column.follow_requests": "Solicitudes de seguimiento",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Inicio", "column.home": "Inicio",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Atrás", "column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mostrar ajustes",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Solo media", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Este toot solo será enviado a los usuarios mencionados.", "compose_form.direct_message_warning": "Este toot solo será enviado a los usuarios mencionados.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "¿En qué estás pensando?", "compose_form.placeholder": "¿En qué estás pensando?",
"compose_form.poll.add_option": "Añadir una opción", "compose_form.poll.add_option": "Añadir una opción",
"compose_form.poll.duration": "Duración de la encuesta", "compose_form.poll.duration": "Duración de la encuesta",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Elección {number}", "compose_form.poll.option_placeholder": "Elección {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Eliminar esta opción", "compose_form.poll.remove_option": "Eliminar esta opción",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tootear", "compose_form.publish": "Tootear",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marcar multimedia como sensible",
"compose_form.sensitive.marked": "Material marcado como sensible",
"compose_form.sensitive.unmarked": "Material no marcado como sensible",
"compose_form.spoiler.marked": "Texto oculto tras la advertencia", "compose_form.spoiler.marked": "Texto oculto tras la advertencia",
"compose_form.spoiler.unmarked": "Texto no oculto", "compose_form.spoiler.unmarked": "Texto no oculto",
"compose_form.spoiler_placeholder": "Advertencia de contenido", "compose_form.spoiler_placeholder": "Advertencia de contenido",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancelar", "confirmation_modal.cancel": "Cancelar",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloquear", "confirmations.block.confirm": "Bloquear",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "¿Estás seguro de que quieres bloquear a {name}?", "confirmations.block.message": "¿Estás seguro de que quieres bloquear a {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Eliminar", "confirmations.delete.confirm": "Eliminar",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "¿Estás seguro de que quieres borrar este toot?", "confirmations.delete.message": "¿Estás seguro de que quieres borrar este toot?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Responder", "confirmations.reply.confirm": "Responder",
"confirmations.reply.message": "Responder sobrescribirá el mensaje que estás escribiendo. ¿Estás seguro de que deseas continuar?", "confirmations.reply.message": "Responder sobrescribirá el mensaje que estás escribiendo. ¿Estás seguro de que deseas continuar?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Añade este toot a tu sitio web con el siguiente código.", "embed.instructions": "Añade este toot a tu sitio web con el siguiente código.",
"embed.preview": "Así es como se verá:",
"emoji_button.activity": "Actividad", "emoji_button.activity": "Actividad",
"emoji_button.custom": "Personalizado", "emoji_button.custom": "Personalizado",
"emoji_button.flags": "Marcas", "emoji_button.flags": "Marcas",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "No tienes ninguna petición de seguidor. Cuando recibas una, se mostrará aquí.", "empty_column.follow_requests": "No tienes ninguna petición de seguidor. Cuando recibas una, se mostrará aquí.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "No hay nada en este hashtag aún.", "empty_column.hashtag": "No hay nada en este hashtag aún.",
"empty_column.home": "No estás siguiendo a nadie aún. Visita {public} o haz búsquedas para empezar y conocer gente nueva.", "empty_column.home": "No estás siguiendo a nadie aún. Visita {public} o haz búsquedas para empezar y conocer gente nueva.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "No hay nada en esta lista aún. Cuando miembros de esta lista publiquen nuevos estatus, estos aparecerán qui.", "empty_column.list": "No hay nada en esta lista aún. Cuando miembros de esta lista publiquen nuevos estatus, estos aparecerán qui.",
"empty_column.lists": "No tienes ninguna lista. cuando crees una, se mostrará aquí.", "empty_column.lists": "No tienes ninguna lista. cuando crees una, se mostrará aquí.",
"empty_column.mutes": "Aún no has silenciado a ningún usuario.", "empty_column.mutes": "Aún no has silenciado a ningún usuario.",
"empty_column.notifications": "No tienes ninguna notificación aún. Interactúa con otros para empezar una conversación.", "empty_column.notifications": "No tienes ninguna notificación aún. Interactúa con otros para empezar una conversación.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "¡No hay nada aquí! Escribe algo públicamente, o sigue usuarios de otras instancias manualmente para llenarlo", "empty_column.public": "¡No hay nada aquí! Escribe algo públicamente, o sigue usuarios de otras instancias manualmente para llenarlo",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autorizar", "follow_request.authorize": "Autorizar",
"follow_request.reject": "Rechazar", "follow_request.reject": "Rechazar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} es software libre. Puedes contribuir o reportar errores en {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} es software libre. Puedes contribuir o reportar errores en {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "y {additional}", "hashtag.column_header.tag_mode.all": "y {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}", "hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "sin {additional}", "hashtag.column_header.tag_mode.none": "sin {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Mostrar retoots", "home.column_settings.show_reblogs": "Mostrar retoots",
"home.column_settings.show_replies": "Mostrar respuestas", "home.column_settings.show_replies": "Mostrar respuestas",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# día} other {# días}}", "intervals.full.days": "{number, plural, one {# día} other {# días}}",
"intervals.full.hours": "{number, plural, one {# hora} other {# horas}}", "intervals.full.hours": "{number, plural, one {# hora} other {# horas}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}", "intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "volver atrás", "keyboard_shortcuts.back": "volver atrás",
"keyboard_shortcuts.blocked": "abrir una lista de usuarios bloqueados", "keyboard_shortcuts.blocked": "abrir una lista de usuarios bloqueados",
"keyboard_shortcuts.boost": "retootear", "keyboard_shortcuts.boost": "retootear",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Cambiar visibilidad", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "No encontrado", "missing_indicator.label": "No encontrado",
"missing_indicator.sublabel": "No se encontró este recurso", "missing_indicator.sublabel": "No se encontró este recurso",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Ocultar notificaciones de este usuario?", "mute_modal.hide_notifications": "Ocultar notificaciones de este usuario?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Usuarios bloqueados", "navigation_bar.blocks": "Usuarios bloqueados",
"navigation_bar.compose": "Escribir un nuevo toot", "navigation_bar.compose": "Escribir un nuevo toot",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Dominios ocultos", "navigation_bar.domain_blocks": "Dominios ocultos",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Usuarios silenciados", "navigation_bar.mutes": "Usuarios silenciados",
"navigation_bar.preferences": "Preferencias", "navigation_bar.preferences": "Preferencias",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Seguridad",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} marcó tu estado como favorito", "notification.favourite": "{name} marcó tu estado como favorito",
"notification.follow": "{name} te empezó a seguir", "notification.follow": "{name} te empezó a seguir",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} te ha mencionado", "notification.mention": "{name} te ha mencionado",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Una encuesta en la que has votado ha terminado", "notification.poll": "Una encuesta en la que has votado ha terminado",
"notification.reblog": "{name} ha retooteado tu estado", "notification.reblog": "{name} ha retooteado tu estado",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Limpiar notificaciones", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "¿Seguro que quieres limpiar permanentemente todas tus notificaciones?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notificaciones de escritorio",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoritos:",
"notifications.column_settings.filter_bar.advanced": "Mostrar todas las categorías",
"notifications.column_settings.filter_bar.category": "Barra de filtrado rápido",
"notifications.column_settings.filter_bar.show": "Mostrar",
"notifications.column_settings.follow": "Nuevos seguidores:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Menciones:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Resultados de la votación:",
"notifications.column_settings.push": "Notificaciones push",
"notifications.column_settings.reblog": "Retoots:",
"notifications.column_settings.show": "Mostrar en columna",
"notifications.column_settings.sound": "Reproducir sonido",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Todos", "notifications.filter.all": "Todos",
"notifications.filter.boosts": "Retoots", "notifications.filter.boosts": "Retoots",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favoritos", "notifications.filter.favourites": "Favoritos",
"notifications.filter.follows": "Seguidores", "notifications.filter.follows": "Seguidores",
"notifications.filter.mentions": "Menciones", "notifications.filter.mentions": "Menciones",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Resultados de la votación", "notifications.filter.polls": "Resultados de la votación",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notificaciones", "notifications.group": "{count} notificaciones",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Cerrada", "poll.closed": "Cerrada",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Actualizar", "poll.refresh": "Actualizar",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# voto} other {# votos}}", "poll.total_votes": "{count, plural, one {# voto} other {# votos}}",
"poll.vote": "Votar", "poll.vote": "Votar",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Añadir una encuesta", "poll_button.add_poll": "Añadir una encuesta",
"poll_button.remove_poll": "Eliminar encuesta", "poll_button.remove_poll": "Eliminar encuesta",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Ajustar privacidad", "privacy.change": "Ajustar privacidad",
"privacy.direct.long": "Sólo mostrar a los usuarios mencionados", "privacy.direct.long": "Sólo mostrar a los usuarios mencionados",
"privacy.direct.short": "Directo", "privacy.direct.short": "Directo",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "No listado", "privacy.unlisted.short": "No listado",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Cargando…", "regeneration_indicator.label": "Cargando…",
"regeneration_indicator.sublabel": "¡Tu historia de inicio se está preparando!", "regeneration_indicator.sublabel": "¡Tu historia de inicio se está preparando!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "ahora", "relative_time.just_now": "ahora",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancelar", "reply_indicator.cancel": "Cancelar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Reenviar a {target}", "report.forward": "Reenviar a {target}",
"report.forward_hint": "Esta cuenta es de otro servidor. ¿Enviar una copia anonimizada del informe allí también?", "report.forward_hint": "Esta cuenta es de otro servidor. ¿Enviar una copia anonimizada del informe allí también?",
"report.hint": "El informe se enviará a los moderadores de tu instancia. Puedes proporcionar una explicación de por qué informas sobre esta cuenta a continuación:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Comentarios adicionales", "report.placeholder": "Comentarios adicionales",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Publicar", "report.submit": "Publicar",
"report.target": "Reportando", "report.target": "Reportando",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Buscar", "search.placeholder": "Buscar",
"search_results.accounts": "Gente", "search_results.accounts": "Gente",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Etiquetas", "search_results.hashtags": "Etiquetas",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Abrir interfaz de moderación para @{name}", "status.admin_account": "Abrir interfaz de moderación para @{name}",
"status.admin_status": "Abrir este estado en la interfaz de moderación", "status.admin_status": "Abrir este estado en la interfaz de moderación",
"status.block": "Bloquear a @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Des-impulsar", "status.cancel_reblog_private": "Des-impulsar",
@ -976,14 +1075,16 @@
"status.delete": "Borrar", "status.delete": "Borrar",
"status.detailed_status": "Vista de conversación detallada", "status.detailed_status": "Vista de conversación detallada",
"status.direct": "Mensaje directo a @{name}", "status.direct": "Mensaje directo a @{name}",
"status.edit": "Edit",
"status.embed": "Incrustado", "status.embed": "Incrustado",
"status.external": "View post on {domain}",
"status.favourite": "Favorito", "status.favourite": "Favorito",
"status.filtered": "Filtrado", "status.filtered": "Filtrado",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Cargar más", "status.load_more": "Cargar más",
"status.media_hidden": "Contenido multimedia oculto",
"status.mention": "Mencionar", "status.mention": "Mencionar",
"status.more": "Más", "status.more": "Más",
"status.mute": "Silenciar @{name}",
"status.mute_conversation": "Silenciar conversación", "status.mute_conversation": "Silenciar conversación",
"status.open": "Expandir estado", "status.open": "Expandir estado",
"status.pin": "Fijar", "status.pin": "Fijar",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Leer más", "status.read_more": "Leer más",
"status.reblog": "Retootear", "status.reblog": "Retootear",
"status.reblog_private": "Implusar a la audiencia original", "status.reblog_private": "Implusar a la audiencia original",
@ -1009,13 +1109,15 @@
"status.replyAll": "Responder al hilo", "status.replyAll": "Responder al hilo",
"status.report": "Reportar", "status.report": "Reportar",
"status.sensitive_warning": "Contenido sensible", "status.sensitive_warning": "Contenido sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Compartir", "status.share": "Compartir",
"status.show_less": "Mostrar menos",
"status.show_less_all": "Mostrar menos para todo", "status.show_less_all": "Mostrar menos para todo",
"status.show_more": "Mostrar más",
"status.show_more_all": "Mostrar más para todo", "status.show_more_all": "Mostrar más para todo",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Dejar de silenciar conversación", "status.unmute_conversation": "Dejar de silenciar conversación",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Descartar sugerencia", "suggestions.dismiss": "Descartar sugerencia",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inicio", "tabs_bar.home": "Inicio",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notificaciones", "tabs_bar.notifications": "Notificaciones",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Buscar", "tabs_bar.search": "Buscar",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# día restante} other {# días restantes}}", "time_remaining.days": "{number, plural, one {# día restante} other {# días restantes}}",
"time_remaining.hours": "{number, plural, one {# hora restante} other {# horas restantes}}", "time_remaining.hours": "{number, plural, one {# hora restante} other {# horas restantes}}",
"time_remaining.minutes": "{number, plural, one {# minuto restante} other {# minutos restantes}}", "time_remaining.minutes": "{number, plural, one {# minuto restante} other {# minutos restantes}}",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# segundo restante} other {# segundos restantes}}", "time_remaining.seconds": "{number, plural, one {# segundo restante} other {# segundos restantes}}",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando", "trends.count_by_accounts": "{count} {rawCount, plural, one {persona} other {personas}} hablando",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Tu borrador se perderá si sales de Soapbox.", "ui.beforeunload": "Tu borrador se perderá si sales de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Límite de subida de archivos excedido.", "upload_error.limit": "Límite de subida de archivos excedido.",
"upload_error.poll": "Subida de archivos no permitida con encuestas.", "upload_error.poll": "Subida de archivos no permitida con encuestas.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describir para los usuarios con dificultad visual", "upload_form.description": "Describir para los usuarios con dificultad visual",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pausar", "video.pause": "Pausar",
"video.play": "Reproducir", "video.play": "Reproducir",
"video.unmute": "Dejar de silenciar sonido", "video.unmute": "Dejar de silenciar sonido",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Peida kõik domeenist {domain}", "account.block_domain": "Peida kõik domeenist {domain}",
"account.blocked": "Blokeeritud", "account.blocked": "Blokeeritud",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Otsesõnum @{name}", "account.direct": "Otsesõnum @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Muuda profiili", "account.edit_profile": "Muuda profiili",
"account.endorse": "Too profiilil esile", "account.endorse": "Too profiilil esile",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Jälgi", "account.follow": "Jälgi",
"account.followers": "Jälgijad", "account.followers": "Jälgijad",
"account.followers.empty": "Keegi ei jälgi seda kasutajat veel.", "account.followers.empty": "Keegi ei jälgi seda kasutajat veel.",
"account.follows": "Jälgib", "account.follows": "Jälgib",
"account.follows.empty": "See kasutaja ei jälgi veel kedagi.", "account.follows.empty": "See kasutaja ei jälgi veel kedagi.",
"account.follows_you": "Jälgib sind", "account.follows_you": "Jälgib sind",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Peida upitused kasutajalt @{name}", "account.hide_reblogs": "Peida upitused kasutajalt @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Selle lingi autorsust kontrolliti {date}", "account.link_verified_on": "Selle lingi autorsust kontrolliti {date}",
@ -30,36 +34,56 @@
"account.media": "Meedia", "account.media": "Meedia",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Maini", "account.mention": "Maini",
"account.moved_to": "{name} on kolinud:",
"account.mute": "Vaigista @{name}", "account.mute": "Vaigista @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Tuututused", "account.posts": "Tuututused",
"account.posts_with_replies": "Tuututused ja vastused", "account.posts_with_replies": "Tuututused ja vastused",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Raporteeri @{name}", "account.report": "Raporteeri @{name}",
"account.requested": "Ootab kinnitust. Klõpsa jälgimise soovi tühistamiseks", "account.requested": "Ootab kinnitust. Klõpsa jälgimise soovi tühistamiseks",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Jaga @{name} profiili", "account.share": "Jaga @{name} profiili",
"account.show_reblogs": "Näita kasutaja @{name} upitusi", "account.show_reblogs": "Näita kasutaja @{name} upitusi",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Eemalda blokeering @{name}", "account.unblock": "Eemalda blokeering @{name}",
"account.unblock_domain": "Tee {domain} nähtavaks", "account.unblock_domain": "Tee {domain} nähtavaks",
"account.unendorse": "Ära kuva profiilil", "account.unendorse": "Ära kuva profiilil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Ära jälgi", "account.unfollow": "Ära jälgi",
"account.unmute": "Ära vaigista @{name}", "account.unmute": "Ära vaigista @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Saad vajutada {combo}, et see järgmine kord vahele jätta", "boost_modal.combo": "Saad vajutada {combo}, et see järgmine kord vahele jätta",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Mindagi läks valesti selle komponendi laadimisel.", "bundle_column_error.body": "Mindagi läks valesti selle komponendi laadimisel.",
"bundle_column_error.retry": "Proovi uuesti", "bundle_column_error.retry": "Proovi uuesti",
"bundle_column_error.title": "Võrgu viga", "bundle_column_error.title": "Võrgu viga",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Kohalik ajajoon", "column.community": "Kohalik ajajoon",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Otsesõnumid", "column.direct": "Otsesõnumid",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Peidetud domeenid", "column.domain_blocks": "Peidetud domeenid",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Jälgimistaotlused", "column.follow_requests": "Jälgimistaotlused",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Kodu", "column.home": "Kodu",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Tagasi", "column_back_button.label": "Tagasi",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Näita sätteid",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Ainult meedia", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "See tuut saadetakse ainult mainitud kasutajatele.", "compose_form.direct_message_warning": "See tuut saadetakse ainult mainitud kasutajatele.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Millest mõtled?", "compose_form.placeholder": "Millest mõtled?",
"compose_form.poll.add_option": "Lisa valik", "compose_form.poll.add_option": "Lisa valik",
"compose_form.poll.duration": "Küsitluse kestus", "compose_form.poll.duration": "Küsitluse kestus",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Valik {number}", "compose_form.poll.option_placeholder": "Valik {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Eemalda see valik", "compose_form.poll.remove_option": "Eemalda see valik",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tuut", "compose_form.publish": "Tuut",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Märgista meedia tundlikuks",
"compose_form.sensitive.marked": "Meedia on sensitiivseks märgitud",
"compose_form.sensitive.unmarked": "Meedia ei ole sensitiivseks märgitud",
"compose_form.spoiler.marked": "Tekst on hoiatuse taha peidetud", "compose_form.spoiler.marked": "Tekst on hoiatuse taha peidetud",
"compose_form.spoiler.unmarked": "Tekst ei ole peidetud", "compose_form.spoiler.unmarked": "Tekst ei ole peidetud",
"compose_form.spoiler_placeholder": "Kirjuta oma hoiatus siia", "compose_form.spoiler_placeholder": "Kirjuta oma hoiatus siia",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Katkesta", "confirmation_modal.cancel": "Katkesta",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blokeeri", "confirmations.block.confirm": "Blokeeri",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Oled kindel, et soovid blokkida {name}?", "confirmations.block.message": "Oled kindel, et soovid blokkida {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Kustuta", "confirmations.delete.confirm": "Kustuta",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Oled kindel, et soovid selle staatuse kustutada?", "confirmations.delete.message": "Oled kindel, et soovid selle staatuse kustutada?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Vasta", "confirmations.reply.confirm": "Vasta",
"confirmations.reply.message": "Kohene vastamine kirjutab üle sõnumi, mida hetkel koostad. Oled kindel, et soovid jätkata?", "confirmations.reply.message": "Kohene vastamine kirjutab üle sõnumi, mida hetkel koostad. Oled kindel, et soovid jätkata?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Manusta see staatus oma veebilehele, kopeerides alloleva koodi.", "embed.instructions": "Manusta see staatus oma veebilehele, kopeerides alloleva koodi.",
"embed.preview": "Nii näeb see välja:",
"emoji_button.activity": "Tegevus", "emoji_button.activity": "Tegevus",
"emoji_button.custom": "Mugandatud", "emoji_button.custom": "Mugandatud",
"emoji_button.flags": "Lipud", "emoji_button.flags": "Lipud",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Sul pole veel ühtegi jälgimise taotlust. Kui saad mõne, näed seda siin.", "empty_column.follow_requests": "Sul pole veel ühtegi jälgimise taotlust. Kui saad mõne, näed seda siin.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Selle sildiga pole veel midagi.", "empty_column.hashtag": "Selle sildiga pole veel midagi.",
"empty_column.home": "Sinu kodu ajajoon on tühi! Külasta {public} või kasuta otsingut alustamaks ja kohtamaks teisi kasutajaid.", "empty_column.home": "Sinu kodu ajajoon on tühi! Külasta {public} või kasuta otsingut alustamaks ja kohtamaks teisi kasutajaid.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Siin nimstus pole veel midagi. Kui selle nimistu liikmed postitavad uusi staatusi, näed neid siin.", "empty_column.list": "Siin nimstus pole veel midagi. Kui selle nimistu liikmed postitavad uusi staatusi, näed neid siin.",
"empty_column.lists": "Sul ei ole veel ühtegi nimekirja. Kui lood mõne, näed seda siin.", "empty_column.lists": "Sul ei ole veel ühtegi nimekirja. Kui lood mõne, näed seda siin.",
"empty_column.mutes": "Sa pole veel ühtegi kasutajat vaigistanud.", "empty_column.mutes": "Sa pole veel ühtegi kasutajat vaigistanud.",
"empty_column.notifications": "Sul ei ole veel teateid. Suhtle teistega alustamaks vestlust.", "empty_column.notifications": "Sul ei ole veel teateid. Suhtle teistega alustamaks vestlust.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Siin pole midagi! Kirjuta midagi avalikut või jälgi ise kasutajaid täitmaks seda ruumi", "empty_column.public": "Siin pole midagi! Kirjuta midagi avalikut või jälgi ise kasutajaid täitmaks seda ruumi",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autoriseeri", "follow_request.authorize": "Autoriseeri",
"follow_request.reject": "Hülga", "follow_request.reject": "Hülga",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} on avatud lähtekoodiga tarkvara. Saad panustada või teatada probleemidest GitLabis {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} on avatud lähtekoodiga tarkvara. Saad panustada või teatada probleemidest GitLabis {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "ja {additional}", "hashtag.column_header.tag_mode.all": "ja {additional}",
"hashtag.column_header.tag_mode.any": "või {additional}", "hashtag.column_header.tag_mode.any": "või {additional}",
"hashtag.column_header.tag_mode.none": "ilma {additional}", "hashtag.column_header.tag_mode.none": "ilma {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Näita upitusi", "home.column_settings.show_reblogs": "Näita upitusi",
"home.column_settings.show_replies": "Näita vastuseid", "home.column_settings.show_replies": "Näita vastuseid",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# päev} other {# päevad}}", "intervals.full.days": "{number, plural, one {# päev} other {# päevad}}",
"intervals.full.hours": "{number, plural, one {# tund} other {# tundi}}", "intervals.full.hours": "{number, plural, one {# tund} other {# tundi}}",
"intervals.full.minutes": "{number, plural, one {# minut} other {# minutit}}", "intervals.full.minutes": "{number, plural, one {# minut} other {# minutit}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "tagasiminekuks", "keyboard_shortcuts.back": "tagasiminekuks",
"keyboard_shortcuts.blocked": "avamaks blokeeritud kasutajate nimistut", "keyboard_shortcuts.blocked": "avamaks blokeeritud kasutajate nimistut",
"keyboard_shortcuts.boost": "upitamiseks", "keyboard_shortcuts.boost": "upitamiseks",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Lülita nähtavus", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ei leitud", "missing_indicator.label": "Ei leitud",
"missing_indicator.sublabel": "Seda ressurssi ei leitud", "missing_indicator.sublabel": "Seda ressurssi ei leitud",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Kas peita teated sellelt kasutajalt?", "mute_modal.hide_notifications": "Kas peita teated sellelt kasutajalt?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokeeritud kasutajad", "navigation_bar.blocks": "Blokeeritud kasutajad",
"navigation_bar.compose": "Koosta uus tuut", "navigation_bar.compose": "Koosta uus tuut",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Peidetud domeenid", "navigation_bar.domain_blocks": "Peidetud domeenid",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Vaigistatud kasutajad", "navigation_bar.mutes": "Vaigistatud kasutajad",
"navigation_bar.preferences": "Eelistused", "navigation_bar.preferences": "Eelistused",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Turvalisus",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} märkis su staatuse lemmikuks", "notification.favourite": "{name} märkis su staatuse lemmikuks",
"notification.follow": "{name} jälgib sind", "notification.follow": "{name} jälgib sind",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mainis sind", "notification.mention": "{name} mainis sind",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Küsitlus, milles osalesid, on lõppenud", "notification.poll": "Küsitlus, milles osalesid, on lõppenud",
"notification.reblog": "{name} upitas su staatust", "notification.reblog": "{name} upitas su staatust",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Puhasta teated", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Oled kindel, et soovid püsivalt kõik oma teated puhastada?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Töölauateated",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Lemmikud:",
"notifications.column_settings.filter_bar.advanced": "Kuva kõik kategooriad",
"notifications.column_settings.filter_bar.category": "Kiirfiltri riba",
"notifications.column_settings.filter_bar.show": "Kuva",
"notifications.column_settings.follow": "Uued jälgijad:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mainimised:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Küsitluse tulemused:",
"notifications.column_settings.push": "Push teated",
"notifications.column_settings.reblog": "Upitused:",
"notifications.column_settings.show": "Kuva tulbas",
"notifications.column_settings.sound": "Mängi heli",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Kõik", "notifications.filter.all": "Kõik",
"notifications.filter.boosts": "Upitused", "notifications.filter.boosts": "Upitused",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Lemmikud", "notifications.filter.favourites": "Lemmikud",
"notifications.filter.follows": "Jälgib", "notifications.filter.follows": "Jälgib",
"notifications.filter.mentions": "Mainimised", "notifications.filter.mentions": "Mainimised",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Küsitluse tulemused", "notifications.filter.polls": "Küsitluse tulemused",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} teated", "notifications.group": "{count} teated",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Suletud", "poll.closed": "Suletud",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Värskenda", "poll.refresh": "Värskenda",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# hääl} other {# hääli}}", "poll.total_votes": "{count, plural, one {# hääl} other {# hääli}}",
"poll.vote": "Hääleta", "poll.vote": "Hääleta",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Lisa küsitlus", "poll_button.add_poll": "Lisa küsitlus",
"poll_button.remove_poll": "Eemalda küsitlus", "poll_button.remove_poll": "Eemalda küsitlus",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Muuda staatuse privaatsust", "privacy.change": "Muuda staatuse privaatsust",
"privacy.direct.long": "Postita ainult mainitud kasutajatele", "privacy.direct.long": "Postita ainult mainitud kasutajatele",
"privacy.direct.short": "Otsene", "privacy.direct.short": "Otsene",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Määramata", "privacy.unlisted.short": "Määramata",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Laeb…", "regeneration_indicator.label": "Laeb…",
"regeneration_indicator.sublabel": "Sinu kodu voog on ettevalmistamisel!", "regeneration_indicator.sublabel": "Sinu kodu voog on ettevalmistamisel!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}p", "relative_time.days": "{number}p",
"relative_time.hours": "{number}t", "relative_time.hours": "{number}t",
"relative_time.just_now": "nüüd", "relative_time.just_now": "nüüd",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Tühista", "reply_indicator.cancel": "Tühista",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Edasta kasutajale {target}", "report.forward": "Edasta kasutajale {target}",
"report.forward_hint": "See kasutaja on teisest serverist. Kas saadan anonümiseeritud koopia sellest teatest sinna ka?", "report.forward_hint": "See kasutaja on teisest serverist. Kas saadan anonümiseeritud koopia sellest teatest sinna ka?",
"report.hint": "See teade saadetakse sinu serveri moderaatoritele. Te saate lisada selgituse selle kohta, miks selle kasutaja kohta teate esitasite, siin:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Lisaks kommentaarid", "report.placeholder": "Lisaks kommentaarid",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Saada", "report.submit": "Saada",
"report.target": "Teatamine {target} kohta", "report.target": "Teatamine {target} kohta",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Otsi", "search.placeholder": "Otsi",
"search_results.accounts": "Inimesed", "search_results.accounts": "Inimesed",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Sildid", "search_results.hashtags": "Sildid",
"search_results.statuses": "Tuudid", "search_results.statuses": "Tuudid",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Ava moderaatoriliides kasutajale @{name}", "status.admin_account": "Ava moderaatoriliides kasutajale @{name}",
"status.admin_status": "Ava see staatus moderaatoriliites", "status.admin_status": "Ava see staatus moderaatoriliites",
"status.block": "Blokeeri @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Äraupita", "status.cancel_reblog_private": "Äraupita",
@ -976,14 +1075,16 @@
"status.delete": "Kustuta", "status.delete": "Kustuta",
"status.detailed_status": "Detailne vestluskuva", "status.detailed_status": "Detailne vestluskuva",
"status.direct": "Otsesõnum @{name}", "status.direct": "Otsesõnum @{name}",
"status.edit": "Edit",
"status.embed": "Sängita", "status.embed": "Sängita",
"status.external": "View post on {domain}",
"status.favourite": "Lemmik", "status.favourite": "Lemmik",
"status.filtered": "Filtreeritud", "status.filtered": "Filtreeritud",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Lae veel", "status.load_more": "Lae veel",
"status.media_hidden": "Meedia peidetud",
"status.mention": "Mainimine @{name}", "status.mention": "Mainimine @{name}",
"status.more": "Veel", "status.more": "Veel",
"status.mute": "Vaigista @{name}",
"status.mute_conversation": "Vaigista vestlus", "status.mute_conversation": "Vaigista vestlus",
"status.open": "Laienda see staatus", "status.open": "Laienda see staatus",
"status.pin": "Kinnita profiilile", "status.pin": "Kinnita profiilile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Loe veel", "status.read_more": "Loe veel",
"status.reblog": "Upita", "status.reblog": "Upita",
"status.reblog_private": "Upita algsele publikule", "status.reblog_private": "Upita algsele publikule",
@ -1009,13 +1109,15 @@
"status.replyAll": "Vasta lõimele", "status.replyAll": "Vasta lõimele",
"status.report": "Raport @{name}", "status.report": "Raport @{name}",
"status.sensitive_warning": "Tundlik sisu", "status.sensitive_warning": "Tundlik sisu",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Jaga", "status.share": "Jaga",
"status.show_less": "Näita vähem",
"status.show_less_all": "Näita vähem kõigile", "status.show_less_all": "Näita vähem kõigile",
"status.show_more": "Näita veel",
"status.show_more_all": "Näita enam kõigile", "status.show_more_all": "Näita enam kõigile",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Ära vaigista vestlust", "status.unmute_conversation": "Ära vaigista vestlust",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Eira soovitust", "suggestions.dismiss": "Eira soovitust",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Kodu", "tabs_bar.home": "Kodu",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Teated", "tabs_bar.notifications": "Teated",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Otsi", "tabs_bar.search": "Otsi",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# päev} other {# päeva}} left", "time_remaining.days": "{number, plural, one {# päev} other {# päeva}} left",
"time_remaining.hours": "{number, plural, one {# tund} other {# tundi}} left", "time_remaining.hours": "{number, plural, one {# tund} other {# tundi}} left",
"time_remaining.minutes": "{number, plural, one {# minut} other {# minutit}} left", "time_remaining.minutes": "{number, plural, one {# minut} other {# minutit}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# sekund} other {# sekundit}} left", "time_remaining.seconds": "{number, plural, one {# sekund} other {# sekundit}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {inimene} other {inimesed}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {inimene} other {inimesed}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Sinu mustand läheb kaotsi, kui lahkud Soapbox.", "ui.beforeunload": "Sinu mustand läheb kaotsi, kui lahkud Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Faili üleslaadimise limiit ületatud.", "upload_error.limit": "Faili üleslaadimise limiit ületatud.",
"upload_error.poll": "Küsitlustes pole faili üleslaadimine lubatud.", "upload_error.poll": "Küsitlustes pole faili üleslaadimine lubatud.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Kirjelda vaegnägijatele", "upload_form.description": "Kirjelda vaegnägijatele",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Paus", "video.pause": "Paus",
"video.play": "Mängi", "video.play": "Mängi",
"video.unmute": "Taasta heli", "video.unmute": "Taasta heli",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Ezkutatu {domain} domeinuko guztia", "account.block_domain": "Ezkutatu {domain} domeinuko guztia",
"account.blocked": "Blokeatuta", "account.blocked": "Blokeatuta",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Mezu zuzena @{name}(r)i", "account.direct": "Mezu zuzena @{name}(r)i",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Aldatu profila", "account.edit_profile": "Aldatu profila",
"account.endorse": "Nabarmendu profilean", "account.endorse": "Nabarmendu profilean",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Jarraitu", "account.follow": "Jarraitu",
"account.followers": "Jarraitzaileak", "account.followers": "Jarraitzaileak",
"account.followers.empty": "Ez du inork erabiltzaile hau jarraitzen oraindik.", "account.followers.empty": "Ez du inork erabiltzaile hau jarraitzen oraindik.",
"account.follows": "Jarraitzen", "account.follows": "Jarraitzen",
"account.follows.empty": "Erabiltzaile honek ez du inor jarraitzen oraindik.", "account.follows.empty": "Erabiltzaile honek ez du inor jarraitzen oraindik.",
"account.follows_you": "Jarraitzen dizu", "account.follows_you": "Jarraitzen dizu",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Ezkutatu @{name}(r)en bultzadak", "account.hide_reblogs": "Ezkutatu @{name}(r)en bultzadak",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Esteka honen jabetzaren egiaztaketa data: {date}", "account.link_verified_on": "Esteka honen jabetzaren egiaztaketa data: {date}",
@ -30,36 +34,56 @@
"account.media": "Multimedia", "account.media": "Multimedia",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Aipatu", "account.mention": "Aipatu",
"account.moved_to": "{name} hona migratu da:",
"account.mute": "Mututu @{name}", "account.mute": "Mututu @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Tootak", "account.posts": "Tootak",
"account.posts_with_replies": "Toot-ak eta erantzunak", "account.posts_with_replies": "Toot-ak eta erantzunak",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Salatu @{name}", "account.report": "Salatu @{name}",
"account.requested": "Onarpenaren zain. Klikatu jarraitzeko eskaera ezeztatzeko", "account.requested": "Onarpenaren zain. Klikatu jarraitzeko eskaera ezeztatzeko",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "@{name}(e)ren profila elkarbanatu", "account.share": "@{name}(e)ren profila elkarbanatu",
"account.show_reblogs": "Erakutsi @{name}(r)en bultzadak", "account.show_reblogs": "Erakutsi @{name}(r)en bultzadak",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desblokeatu @{name}", "account.unblock": "Desblokeatu @{name}",
"account.unblock_domain": "Berriz erakutsi {domain}", "account.unblock_domain": "Berriz erakutsi {domain}",
"account.unendorse": "Ez nabarmendu profilean", "account.unendorse": "Ez nabarmendu profilean",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Utzi jarraitzeari", "account.unfollow": "Utzi jarraitzeari",
"account.unmute": "Desmututu @{name}", "account.unmute": "Desmututu @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "{combo} sakatu dezakezu hurrengoan hau saltatzeko", "boost_modal.combo": "{combo} sakatu dezakezu hurrengoan hau saltatzeko",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Zerbait okerra gertatu da osagai hau kargatzean.", "bundle_column_error.body": "Zerbait okerra gertatu da osagai hau kargatzean.",
"bundle_column_error.retry": "Saiatu berriro", "bundle_column_error.retry": "Saiatu berriro",
"bundle_column_error.title": "Sareko errorea", "bundle_column_error.title": "Sareko errorea",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Denbora-lerro lokala", "column.community": "Denbora-lerro lokala",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Mezu zuzenak", "column.direct": "Mezu zuzenak",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Ezkutatutako domeinuak", "column.domain_blocks": "Ezkutatutako domeinuak",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Jarraitzeko eskariak", "column.follow_requests": "Jarraitzeko eskariak",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Hasiera", "column.home": "Hasiera",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Atzera", "column_back_button.label": "Atzera",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Erakutsi ezarpenak",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Multimedia besterik ez", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Toot hau aipatutako erabiltzaileei besterik ez zaie bidaliko.", "compose_form.direct_message_warning": "Toot hau aipatutako erabiltzaileei besterik ez zaie bidaliko.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Zer duzu buruan?", "compose_form.placeholder": "Zer duzu buruan?",
"compose_form.poll.add_option": "Gehitu aukera bat", "compose_form.poll.add_option": "Gehitu aukera bat",
"compose_form.poll.duration": "Inkestaren iraupena", "compose_form.poll.duration": "Inkestaren iraupena",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "{number}. aukera", "compose_form.poll.option_placeholder": "{number}. aukera",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Kendu aukera hau", "compose_form.poll.remove_option": "Kendu aukera hau",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Markatu multimedia hunkigarri gisa",
"compose_form.sensitive.marked": "Multimedia edukia hunkigarri gisa markatu da",
"compose_form.sensitive.unmarked": "Multimedia edukia ez da hunkigarri gisa markatu",
"compose_form.spoiler.marked": "Testua abisu batek ezkutatzen du", "compose_form.spoiler.marked": "Testua abisu batek ezkutatzen du",
"compose_form.spoiler.unmarked": "Testua ez dago ezkutatuta", "compose_form.spoiler.unmarked": "Testua ez dago ezkutatuta",
"compose_form.spoiler_placeholder": "Idatzi zure abisua hemen", "compose_form.spoiler_placeholder": "Idatzi zure abisua hemen",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Utzi", "confirmation_modal.cancel": "Utzi",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blokeatu", "confirmations.block.confirm": "Blokeatu",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Ziur {name} blokeatu nahi duzula?", "confirmations.block.message": "Ziur {name} blokeatu nahi duzula?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Ezabatu", "confirmations.delete.confirm": "Ezabatu",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Ziur mezu hau ezabatu nahi duzula?", "confirmations.delete.message": "Ziur mezu hau ezabatu nahi duzula?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Erantzun", "confirmations.reply.confirm": "Erantzun",
"confirmations.reply.message": "Orain erantzuteak idazten ari zaren mezua gainidatziko du. Ziur jarraitu nahi duzula?", "confirmations.reply.message": "Orain erantzuteak idazten ari zaren mezua gainidatziko du. Ziur jarraitu nahi duzula?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Txertatu mezu hau zure webgunean beheko kodea kopatuz.", "embed.instructions": "Txertatu mezu hau zure webgunean beheko kodea kopatuz.",
"embed.preview": "Hau da izango duen itxura:",
"emoji_button.activity": "Jarduera", "emoji_button.activity": "Jarduera",
"emoji_button.custom": "Pertsonalizatua", "emoji_button.custom": "Pertsonalizatua",
"emoji_button.flags": "Banderak", "emoji_button.flags": "Banderak",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Ez duzu jarraitzeko eskaririk oraindik. Baten bat jasotzen duzunean, hemen agertuko da.", "empty_column.follow_requests": "Ez duzu jarraitzeko eskaririk oraindik. Baten bat jasotzen duzunean, hemen agertuko da.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Ez dago ezer traola honetan oraindik.", "empty_column.hashtag": "Ez dago ezer traola honetan oraindik.",
"empty_column.home": "Zure hasierako denbora-lerroa hutsik dago! Ikusi {public} edo erabili bilaketa lehen urratsak eman eta beste batzuk aurkitzeko.", "empty_column.home": "Zure hasierako denbora-lerroa hutsik dago! Ikusi {public} edo erabili bilaketa lehen urratsak eman eta beste batzuk aurkitzeko.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Ez dago ezer zerrenda honetan. Zerrenda honetako kideek mezu berriak argitaratzean, hemen agertuko dira.", "empty_column.list": "Ez dago ezer zerrenda honetan. Zerrenda honetako kideek mezu berriak argitaratzean, hemen agertuko dira.",
"empty_column.lists": "Ez duzu zerrendarik oraindik. Baten bat sortzen duzunean hemen agertuko da.", "empty_column.lists": "Ez duzu zerrendarik oraindik. Baten bat sortzen duzunean hemen agertuko da.",
"empty_column.mutes": "Ez duzu erabiltzailerik mututu oraindik.", "empty_column.mutes": "Ez duzu erabiltzailerik mututu oraindik.",
"empty_column.notifications": "Ez duzu jakinarazpenik oraindik. Jarri besteekin harremanetan elkarrizketa abiatzeko.", "empty_column.notifications": "Ez duzu jakinarazpenik oraindik. Jarri besteekin harremanetan elkarrizketa abiatzeko.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Ez dago ezer hemen! Idatzi zerbait publikoki edo jarraitu eskuz beste zerbitzari batzuetako erabiltzaileak hau betetzen joateko", "empty_column.public": "Ez dago ezer hemen! Idatzi zerbait publikoki edo jarraitu eskuz beste zerbitzari batzuetako erabiltzaileak hau betetzen joateko",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Baimendu", "follow_request.authorize": "Baimendu",
"follow_request.reject": "Ukatu", "follow_request.reject": "Ukatu",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} software librea da. Ekarpenak egin ditzakezu edo akatsen berri eman GitLab bidez: {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} software librea da. Ekarpenak egin ditzakezu edo akatsen berri eman GitLab bidez: {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "eta {additional}", "hashtag.column_header.tag_mode.all": "eta {additional}",
"hashtag.column_header.tag_mode.any": "edo {additional}", "hashtag.column_header.tag_mode.any": "edo {additional}",
"hashtag.column_header.tag_mode.none": "gabe {additional}", "hashtag.column_header.tag_mode.none": "gabe {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Erakutsi bultzadak", "home.column_settings.show_reblogs": "Erakutsi bultzadak",
"home.column_settings.show_replies": "Erakutsi erantzunak", "home.column_settings.show_replies": "Erakutsi erantzunak",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {egun #} other {# egun}}", "intervals.full.days": "{number, plural, one {egun #} other {# egun}}",
"intervals.full.hours": "{number, plural, one {ordu #} other {# ordu}}", "intervals.full.hours": "{number, plural, one {ordu #} other {# ordu}}",
"intervals.full.minutes": "{number, plural, one {minutu #} other {# minutu}}", "intervals.full.minutes": "{number, plural, one {minutu #} other {# minutu}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "atzera nabigatzeko", "keyboard_shortcuts.back": "atzera nabigatzeko",
"keyboard_shortcuts.blocked": "blokeatutako erabiltzaileen zerrenda irekitzeko", "keyboard_shortcuts.blocked": "blokeatutako erabiltzaileen zerrenda irekitzeko",
"keyboard_shortcuts.boost": "bultzada ematea", "keyboard_shortcuts.boost": "bultzada ematea",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Txandakatu ikusgaitasuna", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ez aurkitua", "missing_indicator.label": "Ez aurkitua",
"missing_indicator.sublabel": "Baliabide hau ezin izan da aurkitu", "missing_indicator.sublabel": "Baliabide hau ezin izan da aurkitu",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Ezkutatu erabiltzaile honen jakinarazpenak?", "mute_modal.hide_notifications": "Ezkutatu erabiltzaile honen jakinarazpenak?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokeatutako erabiltzaileak", "navigation_bar.blocks": "Blokeatutako erabiltzaileak",
"navigation_bar.compose": "Idatzi toot berria", "navigation_bar.compose": "Idatzi toot berria",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Ezkutatutako domeinuak", "navigation_bar.domain_blocks": "Ezkutatutako domeinuak",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Mutututako erabiltzaileak", "navigation_bar.mutes": "Mutututako erabiltzaileak",
"navigation_bar.preferences": "Hobespenak", "navigation_bar.preferences": "Hobespenak",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Segurtasuna",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name}(e)k zure mezua gogoko du", "notification.favourite": "{name}(e)k zure mezua gogoko du",
"notification.follow": "{name}(e)k jarraitzen zaitu", "notification.follow": "{name}(e)k jarraitzen zaitu",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name}(e)k aipatu zaitu", "notification.mention": "{name}(e)k aipatu zaitu",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Zuk erantzun duzun inkesta bat bukatu da", "notification.poll": "Zuk erantzun duzun inkesta bat bukatu da",
"notification.reblog": "{name}(e)k bultzada eman dio zure mezuari", "notification.reblog": "{name}(e)k bultzada eman dio zure mezuari",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Garbitu jakinarazpenak", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Ziur zure jakinarazpen guztiak behin betirako garbitu nahi dituzula?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Mahaigaineko jakinarazpenak",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Gogokoak:",
"notifications.column_settings.filter_bar.advanced": "Erakutsi kategoria guztiak",
"notifications.column_settings.filter_bar.category": "Iragazki azkarraren barra",
"notifications.column_settings.filter_bar.show": "Erakutsi",
"notifications.column_settings.follow": "Jarraitzaile berriak:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Aipamenak:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Inkestaren emaitzak:",
"notifications.column_settings.push": "Push jakinarazpenak",
"notifications.column_settings.reblog": "Bultzadak:",
"notifications.column_settings.show": "Erakutsi zutabean",
"notifications.column_settings.sound": "Jo soinua",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Denak", "notifications.filter.all": "Denak",
"notifications.filter.boosts": "Bultzadak", "notifications.filter.boosts": "Bultzadak",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Gogokoak", "notifications.filter.favourites": "Gogokoak",
"notifications.filter.follows": "Jarraipenak", "notifications.filter.follows": "Jarraipenak",
"notifications.filter.mentions": "Aipamenak", "notifications.filter.mentions": "Aipamenak",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Inkestaren emaitza", "notifications.filter.polls": "Inkestaren emaitza",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} jakinarazpen", "notifications.group": "{count} jakinarazpen",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Itxita", "poll.closed": "Itxita",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Berritu", "poll.refresh": "Berritu",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {boto #} other {# boto}}", "poll.total_votes": "{count, plural, one {boto #} other {# boto}}",
"poll.vote": "Bozkatu", "poll.vote": "Bozkatu",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Gehitu inkesta bat", "poll_button.add_poll": "Gehitu inkesta bat",
"poll_button.remove_poll": "Kendu inkesta", "poll_button.remove_poll": "Kendu inkesta",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Doitu mezuaren pribatutasuna", "privacy.change": "Doitu mezuaren pribatutasuna",
"privacy.direct.long": "Bidali aipatutako erabiltzaileei besterik ez", "privacy.direct.long": "Bidali aipatutako erabiltzaileei besterik ez",
"privacy.direct.short": "Zuzena", "privacy.direct.short": "Zuzena",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Zerrendatu gabea", "privacy.unlisted.short": "Zerrendatu gabea",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Kargatzen…", "regeneration_indicator.label": "Kargatzen…",
"regeneration_indicator.sublabel": "Zure hasiera-jarioa prestatzen ari da!", "regeneration_indicator.sublabel": "Zure hasiera-jarioa prestatzen ari da!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}e", "relative_time.days": "{number}e",
"relative_time.hours": "{number}o", "relative_time.hours": "{number}o",
"relative_time.just_now": "orain", "relative_time.just_now": "orain",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Utzi", "reply_indicator.cancel": "Utzi",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Birbidali hona: {target}", "report.forward": "Birbidali hona: {target}",
"report.forward_hint": "Kontu hau beste zerbitzari batekoa da. Bidali txostenaren kopia anonimo hara ere?", "report.forward_hint": "Kontu hau beste zerbitzari batekoa da. Bidali txostenaren kopia anonimo hara ere?",
"report.hint": "Txostena zure zerbitzariaren moderatzaileei bidaliko zaie. Kontu hau zergatik salatzen duzun behean azaldu dezakezu:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Iruzkin gehigarriak", "report.placeholder": "Iruzkin gehigarriak",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Bidali", "report.submit": "Bidali",
"report.target": "{target} salatzen", "report.target": "{target} salatzen",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Bilatu", "search.placeholder": "Bilatu",
"search_results.accounts": "Jendea", "search_results.accounts": "Jendea",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Traolak", "search_results.hashtags": "Traolak",
"search_results.statuses": "Toot-ak", "search_results.statuses": "Toot-ak",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Ireki @{name} erabiltzailearen moderazio interfazea", "status.admin_account": "Ireki @{name} erabiltzailearen moderazio interfazea",
"status.admin_status": "Ireki mezu hau moderazio interfazean", "status.admin_status": "Ireki mezu hau moderazio interfazean",
"status.block": "Blokeatu @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Kendu bultzada", "status.cancel_reblog_private": "Kendu bultzada",
@ -976,14 +1075,16 @@
"status.delete": "Ezabatu", "status.delete": "Ezabatu",
"status.detailed_status": "Elkarrizketaren ikuspegi xehetsua", "status.detailed_status": "Elkarrizketaren ikuspegi xehetsua",
"status.direct": "Mezu zuzena @{name}(r)i", "status.direct": "Mezu zuzena @{name}(r)i",
"status.edit": "Edit",
"status.embed": "Txertatu", "status.embed": "Txertatu",
"status.external": "View post on {domain}",
"status.favourite": "Gogokoa", "status.favourite": "Gogokoa",
"status.filtered": "Iragazita", "status.filtered": "Iragazita",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Kargatu gehiago", "status.load_more": "Kargatu gehiago",
"status.media_hidden": "Multimedia ezkutatua",
"status.mention": "Aipatu @{name}", "status.mention": "Aipatu @{name}",
"status.more": "Gehiago", "status.more": "Gehiago",
"status.mute": "Mututu @{name}",
"status.mute_conversation": "Mututu elkarrizketa", "status.mute_conversation": "Mututu elkarrizketa",
"status.open": "Hedatu mezu hau", "status.open": "Hedatu mezu hau",
"status.pin": "Finkatu profilean", "status.pin": "Finkatu profilean",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Irakurri gehiago", "status.read_more": "Irakurri gehiago",
"status.reblog": "Bultzada", "status.reblog": "Bultzada",
"status.reblog_private": "Bultzada jatorrizko hartzaileei", "status.reblog_private": "Bultzada jatorrizko hartzaileei",
@ -1009,13 +1109,15 @@
"status.replyAll": "Erantzun harian", "status.replyAll": "Erantzun harian",
"status.report": "Salatu @{name}", "status.report": "Salatu @{name}",
"status.sensitive_warning": "Kontuz: Eduki hunkigarria", "status.sensitive_warning": "Kontuz: Eduki hunkigarria",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Partekatu", "status.share": "Partekatu",
"status.show_less": "Erakutsi gutxiago",
"status.show_less_all": "Erakutsi denetarik gutxiago", "status.show_less_all": "Erakutsi denetarik gutxiago",
"status.show_more": "Erakutsi gehiago",
"status.show_more_all": "Erakutsi denetarik gehiago", "status.show_more_all": "Erakutsi denetarik gehiago",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Desmututu elkarrizketa", "status.unmute_conversation": "Desmututu elkarrizketa",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Errefusatu proposamena", "suggestions.dismiss": "Errefusatu proposamena",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hasiera", "tabs_bar.home": "Hasiera",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Jakinarazpenak", "tabs_bar.notifications": "Jakinarazpenak",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Bilatu", "tabs_bar.search": "Bilatu",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {egun #} other {# egun}} amaitzeko", "time_remaining.days": "{number, plural, one {egun #} other {# egun}} amaitzeko",
"time_remaining.hours": "{number, plural, one {ordu #} other {# ordu}} amaitzeko", "time_remaining.hours": "{number, plural, one {ordu #} other {# ordu}} amaitzeko",
"time_remaining.minutes": "{number, plural, one {minutu #} other {# minutu}} amaitzeko", "time_remaining.minutes": "{number, plural, one {minutu #} other {# minutu}} amaitzeko",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {segundo #} other {# segundo}} amaitzeko", "time_remaining.seconds": "{number, plural, one {segundo #} other {# segundo}} amaitzeko",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} hitz egiten", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} hitz egiten",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Zure zirriborroa galduko da Soapbox uzten baduzu.", "ui.beforeunload": "Zure zirriborroa galduko da Soapbox uzten baduzu.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Fitxategi igoera muga gaindituta.", "upload_error.limit": "Fitxategi igoera muga gaindituta.",
"upload_error.poll": "Ez da inkestetan fitxategiak igotzea onartzen.", "upload_error.poll": "Ez da inkestetan fitxategiak igotzea onartzen.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Deskribatu ikusmen arazoak dituztenentzat", "upload_form.description": "Deskribatu ikusmen arazoak dituztenentzat",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pausatu", "video.pause": "Pausatu",
"video.play": "Jo", "video.play": "Jo",
"video.unmute": "Desmututu soinua", "video.unmute": "Desmututu soinua",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "پنهان‌سازی همه چیز از سرور {domain}", "account.block_domain": "پنهان‌سازی همه چیز از سرور {domain}",
"account.blocked": "مسدود شده", "account.blocked": "مسدود شده",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "پیغام خصوصی به @{name}", "account.direct": "پیغام خصوصی به @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "ویرایش نمایه", "account.edit_profile": "ویرایش نمایه",
"account.endorse": "نمایش در نمایه", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "پی بگیرید", "account.follow": "پی بگیرید",
"account.followers": "پیگیران", "account.followers": "پیگیران",
"account.followers.empty": "هنوز هیچ کسی پیگیر این کاربر نیست.", "account.followers.empty": "هنوز هیچ کسی پیگیر این کاربر نیست.",
"account.follows": "پی می‌گیرد", "account.follows": "پی می‌گیرد",
"account.follows.empty": "این کاربر هنوز هیچ کسی را پی نمی‌گیرد.", "account.follows.empty": "این کاربر هنوز هیچ کسی را پی نمی‌گیرد.",
"account.follows_you": "پیگیر شماست", "account.follows_you": "پیگیر شماست",
"account.header.alt": "Profile header",
"account.hide_reblogs": "پنهان کردن بازبوق‌های @{name}", "account.hide_reblogs": "پنهان کردن بازبوق‌های @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "مالکیت این نشانی در تاریخ {date} بررسی شد", "account.link_verified_on": "مالکیت این نشانی در تاریخ {date} بررسی شد",
@ -30,36 +34,56 @@
"account.media": "عکس و ویدیو", "account.media": "عکس و ویدیو",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "نام‌بردن از", "account.mention": "نام‌بردن از",
"account.moved_to": "{name} منتقل شده است به:",
"account.mute": "بی‌صدا کردن @{name}", "account.mute": "بی‌صدا کردن @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "نوشته‌ها", "account.posts": "نوشته‌ها",
"account.posts_with_replies": "نوشته‌ها و پاسخ‌ها", "account.posts_with_replies": "نوشته‌ها و پاسخ‌ها",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "گزارش @{name}", "account.report": "گزارش @{name}",
"account.requested": "در انتظار پذیرش", "account.requested": "در انتظار پذیرش",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "هم‌رسانی نمایهٔ @{name}", "account.share": "هم‌رسانی نمایهٔ @{name}",
"account.show_reblogs": "نشان‌دادن بازبوق‌های @{name}", "account.show_reblogs": "نشان‌دادن بازبوق‌های @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "رفع انسداد @{name}", "account.unblock": "رفع انسداد @{name}",
"account.unblock_domain": "رفع پنهان‌سازی از {domain}", "account.unblock_domain": "رفع پنهان‌سازی از {domain}",
"account.unendorse": "نهفتن از نمایه", "account.unendorse": "نهفتن از نمایه",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "پایان پیگیری", "account.unfollow": "پایان پیگیری",
"account.unmute": "باصدا کردن @{name}", "account.unmute": "باصدا کردن @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "دکمهٔ {combo} را بزنید تا دیگر این را نبینید", "boost_modal.combo": "دکمهٔ {combo} را بزنید تا دیگر این را نبینید",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "هنگام بازکردن این بخش خطایی رخ داد.", "bundle_column_error.body": "هنگام بازکردن این بخش خطایی رخ داد.",
"bundle_column_error.retry": "تلاش دوباره", "bundle_column_error.retry": "تلاش دوباره",
"bundle_column_error.title": "خطای شبکه", "bundle_column_error.title": "خطای شبکه",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "نوشته‌های محلی", "column.community": "نوشته‌های محلی",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "پیغام‌های خصوصی", "column.direct": "پیغام‌های خصوصی",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "دامین‌های پنهان‌شده", "column.domain_blocks": "دامین‌های پنهان‌شده",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "درخواست‌های پیگیری", "column.follow_requests": "درخواست‌های پیگیری",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "خانه", "column.home": "خانه",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "بازگشت", "column_back_button.label": "بازگشت",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "نمایش تنظیمات",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "فقط عکس و ویدیو", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "این بوق تنها به کاربرانی که از آن‌ها نام برده شده فرستاده خواهد شد.", "compose_form.direct_message_warning": "این بوق تنها به کاربرانی که از آن‌ها نام برده شده فرستاده خواهد شد.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "تازه چه خبر؟", "compose_form.placeholder": "تازه چه خبر؟",
"compose_form.poll.add_option": "افزودن گزینه", "compose_form.poll.add_option": "افزودن گزینه",
"compose_form.poll.duration": "مدت نظرسنجی", "compose_form.poll.duration": "مدت نظرسنجی",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "گزینهٔ {number}", "compose_form.poll.option_placeholder": "گزینهٔ {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "حذف این گزینه", "compose_form.poll.remove_option": "حذف این گزینه",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "بوق", "compose_form.publish": "بوق",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "علامت‌گذاری به عنوان حساس",
"compose_form.sensitive.marked": "این تصویر به عنوان حساس علامت‌گذاری شده",
"compose_form.sensitive.unmarked": "این تصویر به عنوان حساس علامت‌گذاری نشده",
"compose_form.spoiler.marked": "نوشته پشت هشدار محتوا پنهان است", "compose_form.spoiler.marked": "نوشته پشت هشدار محتوا پنهان است",
"compose_form.spoiler.unmarked": "نوشته پنهان نیست", "compose_form.spoiler.unmarked": "نوشته پنهان نیست",
"compose_form.spoiler_placeholder": "هشدار محتوا", "compose_form.spoiler_placeholder": "هشدار محتوا",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "بی‌خیال", "confirmation_modal.cancel": "بی‌خیال",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "مسدود کن", "confirmations.block.confirm": "مسدود کن",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "آیا واقعاً می‌خواهید {name} را مسدود کنید؟", "confirmations.block.message": "آیا واقعاً می‌خواهید {name} را مسدود کنید؟",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "پاک کن", "confirmations.delete.confirm": "پاک کن",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "آیا واقعاً می‌خواهید این نوشته را پاک کنید؟", "confirmations.delete.message": "آیا واقعاً می‌خواهید این نوشته را پاک کنید؟",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "پاسخ", "confirmations.reply.confirm": "پاسخ",
"confirmations.reply.message": "اگر الان پاسخ دهید، چیزی که در حال نوشتنش بودید پاک خواهد شد. آیا همین را می‌خواهید؟", "confirmations.reply.message": "اگر الان پاسخ دهید، چیزی که در حال نوشتنش بودید پاک خواهد شد. آیا همین را می‌خواهید؟",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "برای جاگذاری این نوشته در سایت خودتان، کد زیر را کپی کنید.", "embed.instructions": "برای جاگذاری این نوشته در سایت خودتان، کد زیر را کپی کنید.",
"embed.preview": "نوشتهٔ جاگذاری‌شده این گونه به نظر خواهد رسید:",
"emoji_button.activity": "فعالیت", "emoji_button.activity": "فعالیت",
"emoji_button.custom": "سفارشی", "emoji_button.custom": "سفارشی",
"emoji_button.flags": "پرچم‌ها", "emoji_button.flags": "پرچم‌ها",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "شما هنوز هیچ درخواست پیگیری‌ای ندارید. وقتی چنین درخواستی بگیرید، این‌جا نمایش خواهد یافت.", "empty_column.follow_requests": "شما هنوز هیچ درخواست پیگیری‌ای ندارید. وقتی چنین درخواستی بگیرید، این‌جا نمایش خواهد یافت.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "هنوز هیچ چیزی با این برچسب (هشتگ) نیست.", "empty_column.hashtag": "هنوز هیچ چیزی با این برچسب (هشتگ) نیست.",
"empty_column.home": "شما هنوز پیگیر کسی نیستید. {public} را ببینید یا چیزی را جستجو کنید تا کاربران دیگر را ببینید.", "empty_column.home": "شما هنوز پیگیر کسی نیستید. {public} را ببینید یا چیزی را جستجو کنید تا کاربران دیگر را ببینید.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "در این فهرست هنوز چیزی نیست. وقتی اعضای این فهرست چیزی بنویسند، این‌جا ظاهر خواهد شد.", "empty_column.list": "در این فهرست هنوز چیزی نیست. وقتی اعضای این فهرست چیزی بنویسند، این‌جا ظاهر خواهد شد.",
"empty_column.lists": "شما هنوز هیچ فهرستی ندارید. اگر فهرستی بسازید، این‌جا نمایش خواهد یافت.", "empty_column.lists": "شما هنوز هیچ فهرستی ندارید. اگر فهرستی بسازید، این‌جا نمایش خواهد یافت.",
"empty_column.mutes": "شما هنوز هیچ کاربری را بی‌صدا نکرده‌اید.", "empty_column.mutes": "شما هنوز هیچ کاربری را بی‌صدا نکرده‌اید.",
"empty_column.notifications": "هنوز هیچ اعلانی ندارید. به نوشته‌های دیگران واکنش نشان دهید تا گفتگو آغاز شود.", "empty_column.notifications": "هنوز هیچ اعلانی ندارید. به نوشته‌های دیگران واکنش نشان دهید تا گفتگو آغاز شود.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "این‌جا هنوز چیزی نیست! خودتان چیزی بنویسید یا کاربران سرورهای دیگر را پی بگیرید تا این‌جا پر شود", "empty_column.public": "این‌جا هنوز چیزی نیست! خودتان چیزی بنویسید یا کاربران سرورهای دیگر را پی بگیرید تا این‌جا پر شود",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "اجازه دهید", "follow_request.authorize": "اجازه دهید",
"follow_request.reject": "اجازه ندهید", "follow_request.reject": "اجازه ندهید",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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_link} (v{code_version}) گزارش دهید.", "getting_started.open_source_notice": "ماستدون یک نرم‌افزار آزاد است. می‌توانید در ساخت آن مشارکت کنید یا مشکلاتش را در {code_link} (v{code_version}) گزارش دهید.",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "و {additional}", "hashtag.column_header.tag_mode.all": "و {additional}",
"hashtag.column_header.tag_mode.any": "یا {additional}", "hashtag.column_header.tag_mode.any": "یا {additional}",
"hashtag.column_header.tag_mode.none": "بدون {additional}", "hashtag.column_header.tag_mode.none": "بدون {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "نمایش بازبوق‌ها", "home.column_settings.show_reblogs": "نمایش بازبوق‌ها",
"home.column_settings.show_replies": "نمایش پاسخ‌ها", "home.column_settings.show_replies": "نمایش پاسخ‌ها",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# روز} other {# روز}}", "intervals.full.days": "{number, plural, one {# روز} other {# روز}}",
"intervals.full.hours": "{number, plural, one {# ساعت} other {# ساعت}}", "intervals.full.hours": "{number, plural, one {# ساعت} other {# ساعت}}",
"intervals.full.minutes": "{number, plural, one {# دقیقه} other {# دقیقه}}", "intervals.full.minutes": "{number, plural, one {# دقیقه} other {# دقیقه}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "برای بازگشت", "keyboard_shortcuts.back": "برای بازگشت",
"keyboard_shortcuts.blocked": "برای گشودن کاربران بی‌صداشده", "keyboard_shortcuts.blocked": "برای گشودن کاربران بی‌صداشده",
"keyboard_shortcuts.boost": "برای بازبوقیدن", "keyboard_shortcuts.boost": "برای بازبوقیدن",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "تغییر پیدایی", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "پیدا نشد", "missing_indicator.label": "پیدا نشد",
"missing_indicator.sublabel": "این منبع پیدا نشد", "missing_indicator.sublabel": "این منبع پیدا نشد",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "اعلان‌های این کاربر پنهان شود؟", "mute_modal.hide_notifications": "اعلان‌های این کاربر پنهان شود؟",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "کاربران مسدودشده", "navigation_bar.blocks": "کاربران مسدودشده",
"navigation_bar.compose": "نوشتن بوق تازه", "navigation_bar.compose": "نوشتن بوق تازه",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "دامین‌های پنهان‌شده", "navigation_bar.domain_blocks": "دامین‌های پنهان‌شده",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "کاربران بی‌صداشده", "navigation_bar.mutes": "کاربران بی‌صداشده",
"navigation_bar.preferences": "ترجیحات", "navigation_bar.preferences": "ترجیحات",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "امنیت",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} نوشتهٔ شما را پسندید", "notification.favourite": "{name} نوشتهٔ شما را پسندید",
"notification.follow": "{name} پیگیر شما شد", "notification.follow": "{name} پیگیر شما شد",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} از شما نام برد", "notification.mention": "{name} از شما نام برد",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "نظرسنجی‌ای که در آن رأی دادید به پایان رسیده است", "notification.poll": "نظرسنجی‌ای که در آن رأی دادید به پایان رسیده است",
"notification.reblog": "{name} نوشتهٔ شما را بازبوقید", "notification.reblog": "{name} نوشتهٔ شما را بازبوقید",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "پاک‌کردن اعلان‌ها", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "واقعاً می‌خواهید همهٔ اعلان‌هایتان را برای همیشه پاک کنید؟", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "اعلان در کامپیوتر",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "پسندیده‌ها:",
"notifications.column_settings.filter_bar.advanced": "نمایش همهٔ گروه‌ها",
"notifications.column_settings.filter_bar.category": "فیلتر سریع",
"notifications.column_settings.filter_bar.show": "نمایش",
"notifications.column_settings.follow": "پیگیران تازه:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "نام‌بردن‌ها:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "نتایج نظرسنجی:",
"notifications.column_settings.push": "اعلان‌ها از سمت سرور",
"notifications.column_settings.reblog": "بازبوق‌ها:",
"notifications.column_settings.show": "نمایش در ستون",
"notifications.column_settings.sound": "پخش صدا",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "همه", "notifications.filter.all": "همه",
"notifications.filter.boosts": "بازبوق‌ها", "notifications.filter.boosts": "بازبوق‌ها",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "پسندیده‌ها", "notifications.filter.favourites": "پسندیده‌ها",
"notifications.filter.follows": "پیگیری‌ها", "notifications.filter.follows": "پیگیری‌ها",
"notifications.filter.mentions": "گفتگوها", "notifications.filter.mentions": "گفتگوها",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "نتایج نظرسنجی", "notifications.filter.polls": "نتایج نظرسنجی",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} اعلان", "notifications.group": "{count} اعلان",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "پایان‌یافته", "poll.closed": "پایان‌یافته",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "به‌روزرسانی", "poll.refresh": "به‌روزرسانی",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# رأی} other {# رأی}}", "poll.total_votes": "{count, plural, one {# رأی} other {# رأی}}",
"poll.vote": "رأی", "poll.vote": "رأی",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "افزودن نظرسنجی", "poll_button.add_poll": "افزودن نظرسنجی",
"poll_button.remove_poll": "حذف نظرسنجی", "poll_button.remove_poll": "حذف نظرسنجی",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "تنظیم حریم خصوصی نوشته‌ها", "privacy.change": "تنظیم حریم خصوصی نوشته‌ها",
"privacy.direct.long": "تنها به کاربران نام‌برده‌شده نشان بده", "privacy.direct.long": "تنها به کاربران نام‌برده‌شده نشان بده",
"privacy.direct.short": "مستقیم", "privacy.direct.short": "مستقیم",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "فهرست‌نشده", "privacy.unlisted.short": "فهرست‌نشده",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "در حال باز شدن…", "regeneration_indicator.label": "در حال باز شدن…",
"regeneration_indicator.sublabel": "این فهرست دارد آماده می‌شود!", "regeneration_indicator.sublabel": "این فهرست دارد آماده می‌شود!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number} روز", "relative_time.days": "{number} روز",
"relative_time.hours": "{number} ساعت", "relative_time.hours": "{number} ساعت",
"relative_time.just_now": "الان", "relative_time.just_now": "الان",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "لغو", "reply_indicator.cancel": "لغو",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "فرستادن به {target}", "report.forward": "فرستادن به {target}",
"report.forward_hint": "این حساب در سرور دیگری ثبت شده. آیا می‌خواهید رونوشتی از این گزارش به طور ناشناس به آن‌جا هم فرستاده شود؟", "report.forward_hint": "این حساب در سرور دیگری ثبت شده. آیا می‌خواهید رونوشتی از این گزارش به طور ناشناس به آن‌جا هم فرستاده شود؟",
"report.hint": "این گزارش به مدیران سرور شما فرستاده خواهد شد. می‌توانید دلیل گزارش‌دادن این حساب را در این‌جا بنویسید:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "توضیح اضافه", "report.placeholder": "توضیح اضافه",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "بفرست", "report.submit": "بفرست",
"report.target": "گزارش‌دادن", "report.target": "گزارش‌دادن",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "جستجو", "search.placeholder": "جستجو",
"search_results.accounts": "افراد", "search_results.accounts": "افراد",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "برچسب‌ها", "search_results.hashtags": "برچسب‌ها",
"search_results.statuses": "بوق‌ها", "search_results.statuses": "بوق‌ها",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "محیط مدیریت مربوط به @{name} را باز کن", "status.admin_account": "محیط مدیریت مربوط به @{name} را باز کن",
"status.admin_status": "این نوشته را در محیط مدیریت باز کن", "status.admin_status": "این نوشته را در محیط مدیریت باز کن",
"status.block": "مسدودسازی @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "حذف بازبوق", "status.cancel_reblog_private": "حذف بازبوق",
@ -976,14 +1075,16 @@
"status.delete": "پاک‌کردن", "status.delete": "پاک‌کردن",
"status.detailed_status": "نمایش کامل گفتگو", "status.detailed_status": "نمایش کامل گفتگو",
"status.direct": "پیغام مستقیم به @{name}", "status.direct": "پیغام مستقیم به @{name}",
"status.edit": "Edit",
"status.embed": "جاگذاری", "status.embed": "جاگذاری",
"status.external": "View post on {domain}",
"status.favourite": "پسندیدن", "status.favourite": "پسندیدن",
"status.filtered": "فیلترشده", "status.filtered": "فیلترشده",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "بیشتر نشان بده", "status.load_more": "بیشتر نشان بده",
"status.media_hidden": "تصویر پنهان شده",
"status.mention": "نام‌بردن از @{name}", "status.mention": "نام‌بردن از @{name}",
"status.more": "بیشتر", "status.more": "بیشتر",
"status.mute": "بی‌صدا کردن @{name}",
"status.mute_conversation": "بی‌صداکردن گفتگو", "status.mute_conversation": "بی‌صداکردن گفتگو",
"status.open": "این نوشته را باز کن", "status.open": "این نوشته را باز کن",
"status.pin": "نوشتهٔ ثابت نمایه", "status.pin": "نوشتهٔ ثابت نمایه",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "بیشتر بخوانید", "status.read_more": "بیشتر بخوانید",
"status.reblog": "بازبوقیدن", "status.reblog": "بازبوقیدن",
"status.reblog_private": "بازبوق به مخاطبان اولیه", "status.reblog_private": "بازبوق به مخاطبان اولیه",
@ -1009,13 +1109,15 @@
"status.replyAll": "به نوشته پاسخ دهید", "status.replyAll": "به نوشته پاسخ دهید",
"status.report": "گزارش دادن @{name}", "status.report": "گزارش دادن @{name}",
"status.sensitive_warning": "محتوای حساس", "status.sensitive_warning": "محتوای حساس",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "هم‌رسانی", "status.share": "هم‌رسانی",
"status.show_less": "نهفتن",
"status.show_less_all": "نمایش کمتر همه", "status.show_less_all": "نمایش کمتر همه",
"status.show_more": "نمایش",
"status.show_more_all": "نمایش بیشتر همه", "status.show_more_all": "نمایش بیشتر همه",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "باصداکردن گفتگو", "status.unmute_conversation": "باصداکردن گفتگو",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "پیشنهاد را نادیده بگیر", "suggestions.dismiss": "پیشنهاد را نادیده بگیر",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "خانه", "tabs_bar.home": "خانه",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "اعلان‌ها", "tabs_bar.notifications": "اعلان‌ها",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "جستجو", "tabs_bar.search": "جستجو",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# روز} other {# روز}} باقی مانده", "time_remaining.days": "{number, plural, one {# روز} other {# روز}} باقی مانده",
"time_remaining.hours": "{number, plural, one {# ساعت} other {# ساعت}} باقی مانده", "time_remaining.hours": "{number, plural, one {# ساعت} other {# ساعت}} باقی مانده",
"time_remaining.minutes": "{number, plural, one {# دقیقه} other {# دقیقه}} باقی مانده", "time_remaining.minutes": "{number, plural, one {# دقیقه} other {# دقیقه}} باقی مانده",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# ثانیه} other {# ثانیه}} باقی مانده", "time_remaining.seconds": "{number, plural, one {# ثانیه} other {# ثانیه}} باقی مانده",
"trends.count_by_accounts": "{count} {rawCount, plural, one {نفر نوشته است} other {نفر نوشته‌اند}}", "trends.count_by_accounts": "{count} {rawCount, plural, one {نفر نوشته است} other {نفر نوشته‌اند}}",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "اگر از ماستدون خارج شوید پیش‌نویس شما پاک خواهد شد.", "ui.beforeunload": "اگر از ماستدون خارج شوید پیش‌نویس شما پاک خواهد شد.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "از حد مجاز باگذاری فراتر رفتید.", "upload_error.limit": "از حد مجاز باگذاری فراتر رفتید.",
"upload_error.poll": "باگذاری پرونده در نظرسنجی‌ها ممکن نیست.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "نوشتهٔ توضیحی برای کم‌بینایان و نابینایان", "upload_form.description": "نوشتهٔ توضیحی برای کم‌بینایان و نابینایان",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "توقف", "video.pause": "توقف",
"video.play": "پخش", "video.play": "پخش",
"video.unmute": "پخش صدا", "video.unmute": "پخش صدا",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Piilota kaikki sisältö verkkotunnuksesta {domain}", "account.block_domain": "Piilota kaikki sisältö verkkotunnuksesta {domain}",
"account.blocked": "Estetty", "account.blocked": "Estetty",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Viesti käyttäjälle @{name}", "account.direct": "Viesti käyttäjälle @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Muokkaa", "account.edit_profile": "Muokkaa",
"account.endorse": "Suosittele profiilissasi", "account.endorse": "Suosittele profiilissasi",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Seuraa", "account.follow": "Seuraa",
"account.followers": "Seuraajaa", "account.followers": "Seuraajaa",
"account.followers.empty": "Tällä käyttäjällä ei ole vielä seuraajia.", "account.followers.empty": "Tällä käyttäjällä ei ole vielä seuraajia.",
"account.follows": "Seuraa", "account.follows": "Seuraa",
"account.follows.empty": "Tämä käyttäjä ei vielä seuraa ketään.", "account.follows.empty": "Tämä käyttäjä ei vielä seuraa ketään.",
"account.follows_you": "Seuraa sinua", "account.follows_you": "Seuraa sinua",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Piilota buustaukset käyttäjältä @{name}", "account.hide_reblogs": "Piilota buustaukset käyttäjältä @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Tämän linkin omistaja tarkistettiin {date}", "account.link_verified_on": "Tämän linkin omistaja tarkistettiin {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mainitse", "account.mention": "Mainitse",
"account.moved_to": "{name} on muuttanut instanssiin:",
"account.mute": "Mykistä @{name}", "account.mute": "Mykistä @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Tuuttaukset", "account.posts": "Tuuttaukset",
"account.posts_with_replies": "Tuuttaukset ja vastaukset", "account.posts_with_replies": "Tuuttaukset ja vastaukset",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Raportoi @{name}", "account.report": "Raportoi @{name}",
"account.requested": "Odottaa hyväksyntää. Peruuta seuraamispyyntö klikkaamalla", "account.requested": "Odottaa hyväksyntää. Peruuta seuraamispyyntö klikkaamalla",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Jaa käyttäjän @{name} profiili", "account.share": "Jaa käyttäjän @{name} profiili",
"account.show_reblogs": "Näytä buustaukset käyttäjältä @{name}", "account.show_reblogs": "Näytä buustaukset käyttäjältä @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Salli @{name}", "account.unblock": "Salli @{name}",
"account.unblock_domain": "Näytä {domain}", "account.unblock_domain": "Näytä {domain}",
"account.unendorse": "Poista suosittelu profiilistasi", "account.unendorse": "Poista suosittelu profiilistasi",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Lakkaa seuraamasta", "account.unfollow": "Lakkaa seuraamasta",
"account.unmute": "Poista käyttäjän @{name} mykistys", "account.unmute": "Poista käyttäjän @{name} mykistys",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Ensi kerralla voit ohittaa tämän painamalla {combo}", "boost_modal.combo": "Ensi kerralla voit ohittaa tämän painamalla {combo}",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Jokin meni vikaan komponenttia ladattaessa.", "bundle_column_error.body": "Jokin meni vikaan komponenttia ladattaessa.",
"bundle_column_error.retry": "Yritä uudestaan", "bundle_column_error.retry": "Yritä uudestaan",
"bundle_column_error.title": "Verkkovirhe", "bundle_column_error.title": "Verkkovirhe",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Paikallinen aikajana", "column.community": "Paikallinen aikajana",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Viestit", "column.direct": "Viestit",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Piilotetut verkkotunnukset", "column.domain_blocks": "Piilotetut verkkotunnukset",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Seuraamispyynnöt", "column.follow_requests": "Seuraamispyynnöt",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Koti", "column.home": "Koti",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Takaisin", "column_back_button.label": "Takaisin",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Näytä asetukset",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Vain media", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Tämä tuuttaus näkyy vain mainituille käyttäjille.", "compose_form.direct_message_warning": "Tämä tuuttaus näkyy vain mainituille käyttäjille.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Mitä mietit?", "compose_form.placeholder": "Mitä mietit?",
"compose_form.poll.add_option": "Lisää valinta", "compose_form.poll.add_option": "Lisää valinta",
"compose_form.poll.duration": "Äänestyksen kesto", "compose_form.poll.duration": "Äänestyksen kesto",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Valinta numero", "compose_form.poll.option_placeholder": "Valinta numero",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Poista tämä valinta", "compose_form.poll.remove_option": "Poista tämä valinta",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tuuttaa", "compose_form.publish": "Tuuttaa",
"compose_form.publish_loud": "Julkista!", "compose_form.publish_loud": "Julkista!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Valitse tämä arkaluontoisena",
"compose_form.sensitive.marked": "Media on merkitty arkaluontoiseksi",
"compose_form.sensitive.unmarked": "Mediaa ei ole merkitty arkaluontoiseksi",
"compose_form.spoiler.marked": "Teksti on piilotettu varoituksen taakse", "compose_form.spoiler.marked": "Teksti on piilotettu varoituksen taakse",
"compose_form.spoiler.unmarked": "Teksti ei ole piilotettu", "compose_form.spoiler.unmarked": "Teksti ei ole piilotettu",
"compose_form.spoiler_placeholder": "Sisältövaroitus", "compose_form.spoiler_placeholder": "Sisältövaroitus",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Peruuta", "confirmation_modal.cancel": "Peruuta",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Estä", "confirmations.block.confirm": "Estä",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Haluatko varmasti estää käyttäjän {name}?", "confirmations.block.message": "Haluatko varmasti estää käyttäjän {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Poista", "confirmations.delete.confirm": "Poista",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Haluatko varmasti poistaa tämän tilapäivityksen?", "confirmations.delete.message": "Haluatko varmasti poistaa tämän tilapäivityksen?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Vastaa", "confirmations.reply.confirm": "Vastaa",
"confirmations.reply.message": "Jos vastaat nyt, vastaus korvaa tällä hetkellä työstämäsi viestin. Oletko varma, että haluat jatkaa?", "confirmations.reply.message": "Jos vastaat nyt, vastaus korvaa tällä hetkellä työstämäsi viestin. Oletko varma, että haluat jatkaa?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Upota statuspäivitys sivullesi kopioimalla alla oleva koodi.", "embed.instructions": "Upota statuspäivitys sivullesi kopioimalla alla oleva koodi.",
"embed.preview": "Se tulee näyttämään tältä:",
"emoji_button.activity": "Aktiviteetit", "emoji_button.activity": "Aktiviteetit",
"emoji_button.custom": "Mukautetut", "emoji_button.custom": "Mukautetut",
"emoji_button.flags": "Liput", "emoji_button.flags": "Liput",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Sinulla ei ole vielä seurauspyyntöjä. Kun saat sellaisen, näkyy se tässä.", "empty_column.follow_requests": "Sinulla ei ole vielä seurauspyyntöjä. Kun saat sellaisen, näkyy se tässä.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Tällä hashtagilla ei ole vielä mitään.", "empty_column.hashtag": "Tällä hashtagilla ei ole vielä mitään.",
"empty_column.home": "Kotiaikajanasi on tyhjä! {public} ja hakutoiminto auttavat alkuun ja kohtaamaan muita käyttäjiä.", "empty_column.home": "Kotiaikajanasi on tyhjä! {public} ja hakutoiminto auttavat alkuun ja kohtaamaan muita käyttäjiä.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Lista on vielä tyhjä. Listan jäsenten julkaisemat tilapäivitykset tulevat tähän näkyviin.", "empty_column.list": "Lista on vielä tyhjä. Listan jäsenten julkaisemat tilapäivitykset tulevat tähän näkyviin.",
"empty_column.lists": "Sinulla ei ole vielä yhtään listaa. Kun luot sellaisen, näkyy se tässä.", "empty_column.lists": "Sinulla ei ole vielä yhtään listaa. Kun luot sellaisen, näkyy se tässä.",
"empty_column.mutes": "Et ole mykistänyt vielä yhtään käyttäjää.", "empty_column.mutes": "Et ole mykistänyt vielä yhtään käyttäjää.",
"empty_column.notifications": "Sinulle ei ole vielä ilmoituksia. Aloita keskustelu juttelemalla muille.", "empty_column.notifications": "Sinulle ei ole vielä ilmoituksia. Aloita keskustelu juttelemalla muille.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Täällä ei ole mitään! Saat sisältöä, kun kirjoitat jotain julkisesti tai käyt seuraamassa muiden instanssien käyttäjiä", "empty_column.public": "Täällä ei ole mitään! Saat sisältöä, kun kirjoitat jotain julkisesti tai käyt seuraamassa muiden instanssien käyttäjiä",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Valtuuta", "follow_request.authorize": "Valtuuta",
"follow_request.reject": "Hylkää", "follow_request.reject": "Hylkää",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} on avoimen lähdekoodin ohjelma. Voit avustaa tai raportoida ongelmia GitLabissa: {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} on avoimen lähdekoodin ohjelma. Voit avustaa tai raportoida ongelmia GitLabissa: {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "ja {additional}", "hashtag.column_header.tag_mode.all": "ja {additional}",
"hashtag.column_header.tag_mode.any": "tai {additional}", "hashtag.column_header.tag_mode.any": "tai {additional}",
"hashtag.column_header.tag_mode.none": "ilman {additional}", "hashtag.column_header.tag_mode.none": "ilman {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Näytä buustaukset", "home.column_settings.show_reblogs": "Näytä buustaukset",
"home.column_settings.show_replies": "Näytä vastaukset", "home.column_settings.show_replies": "Näytä vastaukset",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "liiku taaksepäin", "keyboard_shortcuts.back": "liiku taaksepäin",
"keyboard_shortcuts.blocked": "avaa lista estetyistä käyttäjistä", "keyboard_shortcuts.blocked": "avaa lista estetyistä käyttäjistä",
"keyboard_shortcuts.boost": "buustaa", "keyboard_shortcuts.boost": "buustaa",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Säädä näkyvyyttä", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ei löytynyt", "missing_indicator.label": "Ei löytynyt",
"missing_indicator.sublabel": "Tätä resurssia ei löytynyt", "missing_indicator.sublabel": "Tätä resurssia ei löytynyt",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Piilota tältä käyttäjältä tulevat ilmoitukset?", "mute_modal.hide_notifications": "Piilota tältä käyttäjältä tulevat ilmoitukset?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Estetyt käyttäjät", "navigation_bar.blocks": "Estetyt käyttäjät",
"navigation_bar.compose": "Kirjoita uusi tuuttaus", "navigation_bar.compose": "Kirjoita uusi tuuttaus",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Piilotetut verkkotunnukset", "navigation_bar.domain_blocks": "Piilotetut verkkotunnukset",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Mykistetyt käyttäjät", "navigation_bar.mutes": "Mykistetyt käyttäjät",
"navigation_bar.preferences": "Asetukset", "navigation_bar.preferences": "Asetukset",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Tunnukset",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} tykkäsi tilastasi", "notification.favourite": "{name} tykkäsi tilastasi",
"notification.follow": "{name} seurasi sinua", "notification.follow": "{name} seurasi sinua",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mainitsi sinut", "notification.mention": "{name} mainitsi sinut",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Kysely, johon osallistuit, on päättynyt", "notification.poll": "Kysely, johon osallistuit, on päättynyt",
"notification.reblog": "{name} buustasi tilaasi", "notification.reblog": "{name} buustasi tilaasi",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Tyhjennä ilmoitukset", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Haluatko varmasti poistaa kaikki ilmoitukset pysyvästi?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Työpöytäilmoitukset",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Tykkäykset:",
"notifications.column_settings.filter_bar.advanced": "Näytä kaikki kategoriat",
"notifications.column_settings.filter_bar.category": "Pikasuodatuspalkki",
"notifications.column_settings.filter_bar.show": "Näytä",
"notifications.column_settings.follow": "Uudet seuraajat:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Maininnat:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Kyselyn tulokset:",
"notifications.column_settings.push": "Push-ilmoitukset",
"notifications.column_settings.reblog": "Buustit:",
"notifications.column_settings.show": "Näytä sarakkeessa",
"notifications.column_settings.sound": "Äänimerkki",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Kaikki", "notifications.filter.all": "Kaikki",
"notifications.filter.boosts": "Buustit", "notifications.filter.boosts": "Buustit",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Suosikit", "notifications.filter.favourites": "Suosikit",
"notifications.filter.follows": "Seuraa", "notifications.filter.follows": "Seuraa",
"notifications.filter.mentions": "Maininnat", "notifications.filter.mentions": "Maininnat",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Kyselyn tulokset", "notifications.filter.polls": "Kyselyn tulokset",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} ilmoitusta", "notifications.group": "{count} ilmoitusta",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Suljettu", "poll.closed": "Suljettu",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Päivitä", "poll.refresh": "Päivitä",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# ääni} other {# ääntä}}", "poll.total_votes": "{count, plural, one {# ääni} other {# ääntä}}",
"poll.vote": "Äänestä", "poll.vote": "Äänestä",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Lisää kysely", "poll_button.add_poll": "Lisää kysely",
"poll_button.remove_poll": "Poista kysely", "poll_button.remove_poll": "Poista kysely",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Säädä tuuttauksen näkyvyyttä", "privacy.change": "Säädä tuuttauksen näkyvyyttä",
"privacy.direct.long": "Julkaise vain mainituille käyttäjille", "privacy.direct.long": "Julkaise vain mainituille käyttäjille",
"privacy.direct.short": "Suora viesti", "privacy.direct.short": "Suora viesti",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Listaamaton julkinen", "privacy.unlisted.short": "Listaamaton julkinen",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Ladataan…", "regeneration_indicator.label": "Ladataan…",
"regeneration_indicator.sublabel": "Kotinäkymääsi valmistellaan!", "regeneration_indicator.sublabel": "Kotinäkymääsi valmistellaan!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number} pv", "relative_time.days": "{number} pv",
"relative_time.hours": "{number} h", "relative_time.hours": "{number} h",
"relative_time.just_now": "nyt", "relative_time.just_now": "nyt",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Peruuta", "reply_indicator.cancel": "Peruuta",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Välitä kohteeseen {target}", "report.forward": "Välitä kohteeseen {target}",
"report.forward_hint": "Tämä tili on toisella palvelimella. Haluatko lähettää nimettömän raportin myös sinne?", "report.forward_hint": "Tämä tili on toisella palvelimella. Haluatko lähettää nimettömän raportin myös sinne?",
"report.hint": "Raportti lähetetään oman instanssisi moderaattoreille. Seuraavassa voit kertoa, miksi raportoit tästä tilistä:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Lisäkommentit", "report.placeholder": "Lisäkommentit",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Lähetä", "report.submit": "Lähetä",
"report.target": "Raportoidaan {target}", "report.target": "Raportoidaan {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Hae", "search.placeholder": "Hae",
"search_results.accounts": "Ihmiset", "search_results.accounts": "Ihmiset",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtagit", "search_results.hashtags": "Hashtagit",
"search_results.statuses": "Tuuttaukset", "search_results.statuses": "Tuuttaukset",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Avaa moderaattorinäkymä tilistä @{name}", "status.admin_account": "Avaa moderaattorinäkymä tilistä @{name}",
"status.admin_status": "Avaa tilapäivitys moderaattorinäkymässä", "status.admin_status": "Avaa tilapäivitys moderaattorinäkymässä",
"status.block": "Estä @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Peru buustaus", "status.cancel_reblog_private": "Peru buustaus",
@ -976,14 +1075,16 @@
"status.delete": "Poista", "status.delete": "Poista",
"status.detailed_status": "Yksityiskohtainen keskustelunäkymä", "status.detailed_status": "Yksityiskohtainen keskustelunäkymä",
"status.direct": "Viesti käyttäjälle @{name}", "status.direct": "Viesti käyttäjälle @{name}",
"status.edit": "Edit",
"status.embed": "Upota", "status.embed": "Upota",
"status.external": "View post on {domain}",
"status.favourite": "Tykkää", "status.favourite": "Tykkää",
"status.filtered": "Suodatettu", "status.filtered": "Suodatettu",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Lataa lisää", "status.load_more": "Lataa lisää",
"status.media_hidden": "Media piilotettu",
"status.mention": "Mainitse @{name}", "status.mention": "Mainitse @{name}",
"status.more": "Lisää", "status.more": "Lisää",
"status.mute": "Mykistä @{name}",
"status.mute_conversation": "Mykistä keskustelu", "status.mute_conversation": "Mykistä keskustelu",
"status.open": "Laajenna tilapäivitys", "status.open": "Laajenna tilapäivitys",
"status.pin": "Kiinnitä profiiliin", "status.pin": "Kiinnitä profiiliin",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Näytä enemmän", "status.read_more": "Näytä enemmän",
"status.reblog": "Buustaa", "status.reblog": "Buustaa",
"status.reblog_private": "Buustaa alkuperäiselle yleisölle", "status.reblog_private": "Buustaa alkuperäiselle yleisölle",
@ -1009,13 +1109,15 @@
"status.replyAll": "Vastaa ketjuun", "status.replyAll": "Vastaa ketjuun",
"status.report": "Raportoi @{name}", "status.report": "Raportoi @{name}",
"status.sensitive_warning": "Arkaluontoista sisältöä", "status.sensitive_warning": "Arkaluontoista sisältöä",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Jaa", "status.share": "Jaa",
"status.show_less": "Näytä vähemmän",
"status.show_less_all": "Näytä vähemmän kaikista", "status.show_less_all": "Näytä vähemmän kaikista",
"status.show_more": "Näytä lisää",
"status.show_more_all": "Näytä lisää kaikista", "status.show_more_all": "Näytä lisää kaikista",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Poista keskustelun mykistys", "status.unmute_conversation": "Poista keskustelun mykistys",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Koti", "tabs_bar.home": "Koti",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Ilmoitukset", "tabs_bar.notifications": "Ilmoitukset",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Hae", "tabs_bar.search": "Hae",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# päivä} other {# päivää}} jäljellä", "time_remaining.days": "{number, plural, one {# päivä} other {# päivää}} jäljellä",
"time_remaining.hours": "{number, plural, one {# tunti} other {# tuntia}} jäljellä", "time_remaining.hours": "{number, plural, one {# tunti} other {# tuntia}} jäljellä",
"time_remaining.minutes": "{number, plural, one {# minuutti} other {# minuuttia}} jäljellä", "time_remaining.minutes": "{number, plural, one {# minuutti} other {# minuuttia}} jäljellä",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# sekunti} other {# sekuntia}} jäljellä", "time_remaining.seconds": "{number, plural, one {# sekunti} other {# sekuntia}} jäljellä",
"trends.count_by_accounts": "{count} {rawCount, plural, one {henkilö} other {henkilöä}} keskustelee", "trends.count_by_accounts": "{count} {rawCount, plural, one {henkilö} other {henkilöä}} keskustelee",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Tiedostolatauksien raja ylitetty.", "upload_error.limit": "Tiedostolatauksien raja ylitetty.",
"upload_error.poll": "Tiedon lataaminen ei ole sallittua kyselyissä.", "upload_error.poll": "Tiedon lataaminen ei ole sallittua kyselyissä.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Anna kuvaus näkörajoitteisia varten", "upload_form.description": "Anna kuvaus näkörajoitteisia varten",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Keskeytä", "video.pause": "Keskeytä",
"video.play": "Toista", "video.play": "Toista",
"video.unmute": "Poista äänen mykistys", "video.unmute": "Poista äänen mykistys",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Tout masquer venant de {domain}", "account.block_domain": "Tout masquer venant de {domain}",
"account.blocked": "Bloqué", "account.blocked": "Bloqué",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Envoyer un message direct à @{name}", "account.direct": "Envoyer un message direct à @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Modifier le profil", "account.edit_profile": "Modifier le profil",
"account.endorse": "Recommander sur le profil", "account.endorse": "Recommander sur le profil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Suivre", "account.follow": "Suivre",
"account.followers": "Abonné⋅e⋅s", "account.followers": "Abonné⋅e⋅s",
"account.followers.empty": "Personne ne suit cet utilisateur·rice pour linstant.", "account.followers.empty": "Personne ne suit cet utilisateur·rice pour linstant.",
"account.follows": "Abonnements", "account.follows": "Abonnements",
"account.follows.empty": "Cet·te utilisateur·rice ne suit personne pour linstant.", "account.follows.empty": "Cet·te utilisateur·rice ne suit personne pour linstant.",
"account.follows_you": "Vous suit", "account.follows_you": "Vous suit",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Masquer les partages de @{name}", "account.hide_reblogs": "Masquer les partages de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "La propriété de ce lien a été vérifiée le {date}", "account.link_verified_on": "La propriété de ce lien a été vérifiée le {date}",
@ -30,36 +34,56 @@
"account.media": "Média", "account.media": "Média",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mentionner", "account.mention": "Mentionner",
"account.moved_to": "{name} a déménagé vers:",
"account.mute": "Masquer @{name}", "account.mute": "Masquer @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Pouets", "account.posts": "Pouets",
"account.posts_with_replies": "Pouets et réponses", "account.posts_with_replies": "Pouets et réponses",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Signaler @{name}", "account.report": "Signaler @{name}",
"account.requested": "En attente dapprobation. Cliquez pour annuler la requête", "account.requested": "En attente dapprobation. Cliquez pour annuler la requête",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Partager le profil de @{name}", "account.share": "Partager le profil de @{name}",
"account.show_reblogs": "Afficher les partages de @{name}", "account.show_reblogs": "Afficher les partages de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Débloquer @{name}", "account.unblock": "Débloquer @{name}",
"account.unblock_domain": "Ne plus masquer {domain}", "account.unblock_domain": "Ne plus masquer {domain}",
"account.unendorse": "Ne plus recommander sur le profil", "account.unendorse": "Ne plus recommander sur le profil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Ne plus suivre", "account.unfollow": "Ne plus suivre",
"account.unmute": "Ne plus masquer @{name}", "account.unmute": "Ne plus masquer @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Vous pouvez appuyer sur {combo} pour passer ceci, la prochaine fois", "boost_modal.combo": "Vous pouvez appuyer sur {combo} pour passer ceci, la prochaine fois",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Une erreur sest produite lors du chargement de ce composant.", "bundle_column_error.body": "Une erreur sest produite lors du chargement de ce composant.",
"bundle_column_error.retry": "Réessayer", "bundle_column_error.retry": "Réessayer",
"bundle_column_error.title": "Erreur réseau", "bundle_column_error.title": "Erreur réseau",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Fil public local", "column.community": "Fil public local",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Messages privés", "column.direct": "Messages privés",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Domaines cachés", "column.domain_blocks": "Domaines cachés",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Demandes de suivi", "column.follow_requests": "Demandes de suivi",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Accueil", "column.home": "Accueil",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Retour", "column_back_button.label": "Retour",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Afficher les paramètres",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Média uniquement", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Ce pouet sera uniquement envoyé aux personnes mentionnées. Cependant, ladministration de votre instance et des instances réceptrices pourront inspecter ce message.", "compose_form.direct_message_warning": "Ce pouet sera uniquement envoyé aux personnes mentionnées. Cependant, ladministration de votre instance et des instances réceptrices pourront inspecter ce message.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Quavez-vous en tête?", "compose_form.placeholder": "Quavez-vous en tête?",
"compose_form.poll.add_option": "Ajouter un choix", "compose_form.poll.add_option": "Ajouter un choix",
"compose_form.poll.duration": "Durée du sondage", "compose_form.poll.duration": "Durée du sondage",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choix {number}", "compose_form.poll.option_placeholder": "Choix {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Supprimer ce choix", "compose_form.poll.remove_option": "Supprimer ce choix",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Pouet", "compose_form.publish": "Pouet",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marquer le média comme sensible",
"compose_form.sensitive.marked": "Média marqué comme sensible",
"compose_form.sensitive.unmarked": "Le média nest pas marqué comme sensible",
"compose_form.spoiler.marked": "Le texte est caché derrière un avertissement", "compose_form.spoiler.marked": "Le texte est caché derrière un avertissement",
"compose_form.spoiler.unmarked": "Le texte nest pas caché", "compose_form.spoiler.unmarked": "Le texte nest pas caché",
"compose_form.spoiler_placeholder": "Écrivez ici votre avertissement", "compose_form.spoiler_placeholder": "Écrivez ici votre avertissement",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Annuler", "confirmation_modal.cancel": "Annuler",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloquer", "confirmations.block.confirm": "Bloquer",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Confirmez-vous le blocage de {name}?", "confirmations.block.message": "Confirmez-vous le blocage de {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Supprimer", "confirmations.delete.confirm": "Supprimer",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Confirmez-vous la suppression de ce pouet?", "confirmations.delete.message": "Confirmez-vous la suppression de ce pouet?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Répondre", "confirmations.reply.confirm": "Répondre",
"confirmations.reply.message": "Répondre maintenant écrasera le message que vous composez actuellement. Êtes-vous sûr de vouloir continuer ?", "confirmations.reply.message": "Répondre maintenant écrasera le message que vous composez actuellement. Êtes-vous sûr de vouloir continuer ?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Intégrez ce statut à votre site en copiant le code ci-dessous.", "embed.instructions": "Intégrez ce statut à votre site en copiant le code ci-dessous.",
"embed.preview": "Il apparaîtra comme cela:",
"emoji_button.activity": "Activités", "emoji_button.activity": "Activités",
"emoji_button.custom": "Personnalisé", "emoji_button.custom": "Personnalisé",
"emoji_button.flags": "Drapeaux", "emoji_button.flags": "Drapeaux",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Vous navez pas encore de demande de suivi. Lorsque vous en recevrez une, elle apparaîtra ici.", "empty_column.follow_requests": "Vous navez pas encore de demande de suivi. Lorsque vous en recevrez une, elle apparaîtra ici.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Il ny a encore aucun contenu associé à ce hashtag.", "empty_column.hashtag": "Il ny a encore aucun contenu associé à ce hashtag.",
"empty_column.home": "Vous ne suivez personne. Visitez {public} ou utilisez la recherche pour trouver dautres personnes à suivre.", "empty_column.home": "Vous ne suivez personne. Visitez {public} ou utilisez la recherche pour trouver dautres personnes à suivre.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Il ny a rien dans cette liste pour linstant. Dès que des personnes de cette liste publieront de nouveaux statuts, ils apparaîtront ici.", "empty_column.list": "Il ny a rien dans cette liste pour linstant. Dès que des personnes de cette liste publieront de nouveaux statuts, ils apparaîtront ici.",
"empty_column.lists": "Vous navez pas encore de liste. Lorsque vous en créerez une, elle apparaîtra ici.", "empty_column.lists": "Vous navez pas encore de liste. Lorsque vous en créerez une, elle apparaîtra ici.",
"empty_column.mutes": "Vous navez pas encore mis dutilisateur·rice·s en silence.", "empty_column.mutes": "Vous navez pas encore mis dutilisateur·rice·s en silence.",
"empty_column.notifications": "Vous navez pas encore de notification. Interagissez avec dautres personnes pour débuter la conversation.", "empty_column.notifications": "Vous navez pas encore de notification. Interagissez avec dautres personnes pour débuter la conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Il ny a rien ici! Écrivez quelque chose publiquement, ou bien suivez manuellement des personnes dautres instances pour le remplir", "empty_column.public": "Il ny a rien ici! Écrivez quelque chose publiquement, ou bien suivez manuellement des personnes dautres instances pour le remplir",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Accepter", "follow_request.authorize": "Accepter",
"follow_request.reject": "Rejeter", "follow_request.reject": "Rejeter",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} est un logiciel libre. Vous pouvez contribuer et envoyer vos commentaires et rapports de bogues via {code_link} (v{code_version}) sur GitLab.", "getting_started.open_source_notice": "{code_name} est un logiciel libre. Vous pouvez contribuer et envoyer vos commentaires et rapports de bogues via {code_link} (v{code_version}) sur GitLab.",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "et {additional}", "hashtag.column_header.tag_mode.all": "et {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}", "hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sans {additional}", "hashtag.column_header.tag_mode.none": "sans {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Afficher les partages", "home.column_settings.show_reblogs": "Afficher les partages",
"home.column_settings.show_replies": "Afficher les réponses", "home.column_settings.show_replies": "Afficher les réponses",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# jour} other {# jours}}", "intervals.full.days": "{number, plural, one {# jour} other {# jours}}",
"intervals.full.hours": "{number, plural, one {# heure} other {# heures}}", "intervals.full.hours": "{number, plural, one {# heure} other {# heures}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "pour revenir en arrière", "keyboard_shortcuts.back": "pour revenir en arrière",
"keyboard_shortcuts.blocked": "pour ouvrir une liste dutilisateur·rice·s bloqué·e·s", "keyboard_shortcuts.blocked": "pour ouvrir une liste dutilisateur·rice·s bloqué·e·s",
"keyboard_shortcuts.boost": "pour partager", "keyboard_shortcuts.boost": "pour partager",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Modifier la visibilité", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Non trouvé", "missing_indicator.label": "Non trouvé",
"missing_indicator.sublabel": "Ressource introuvable", "missing_indicator.sublabel": "Ressource introuvable",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Masquer les notifications de cette personne?", "mute_modal.hide_notifications": "Masquer les notifications de cette personne?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Comptes bloqués", "navigation_bar.blocks": "Comptes bloqués",
"navigation_bar.compose": "Rédiger un nouveau toot", "navigation_bar.compose": "Rédiger un nouveau toot",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Domaines cachés", "navigation_bar.domain_blocks": "Domaines cachés",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Comptes masqués", "navigation_bar.mutes": "Comptes masqués",
"navigation_bar.preferences": "Préférences", "navigation_bar.preferences": "Préférences",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Sécurité",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} a ajouté à ses favoris:", "notification.favourite": "{name} a ajouté à ses favoris:",
"notification.follow": "{name} vous suit", "notification.follow": "{name} vous suit",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} vous a mentionné:", "notification.mention": "{name} vous a mentionné:",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Un sondage auquel vous avez participé vient de se terminer", "notification.poll": "Un sondage auquel vous avez participé vient de se terminer",
"notification.reblog": "{name} a partagé votre statut:", "notification.reblog": "{name} a partagé votre statut:",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Nettoyer les notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Voulez-vous vraiment supprimer toutes vos notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notifications locales",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoris:",
"notifications.column_settings.filter_bar.advanced": "Afficher toutes les catégories",
"notifications.column_settings.filter_bar.category": "Barre de filtrage rapide",
"notifications.column_settings.filter_bar.show": "Afficher",
"notifications.column_settings.follow": "Nouveaux⋅elles abonné⋅e·s:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mentions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Résultats du sondage :",
"notifications.column_settings.push": "Notifications",
"notifications.column_settings.reblog": "Partages:",
"notifications.column_settings.show": "Afficher dans la colonne",
"notifications.column_settings.sound": "Émettre un son",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Tout", "notifications.filter.all": "Tout",
"notifications.filter.boosts": "Repartages", "notifications.filter.boosts": "Repartages",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favoris", "notifications.filter.favourites": "Favoris",
"notifications.filter.follows": "Abonné·e·s", "notifications.filter.follows": "Abonné·e·s",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Résultats des sondages", "notifications.filter.polls": "Résultats des sondages",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Fermé", "poll.closed": "Fermé",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Actualiser", "poll.refresh": "Actualiser",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Voter", "poll.vote": "Voter",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Ajouter un sondage", "poll_button.add_poll": "Ajouter un sondage",
"poll_button.remove_poll": "Supprimer le sondage", "poll_button.remove_poll": "Supprimer le sondage",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Ajuster la confidentialité du message", "privacy.change": "Ajuster la confidentialité du message",
"privacy.direct.long": "Nenvoyer quaux personnes mentionnées", "privacy.direct.long": "Nenvoyer quaux personnes mentionnées",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Non listé", "privacy.unlisted.short": "Non listé",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Chargement…", "regeneration_indicator.label": "Chargement…",
"regeneration_indicator.sublabel": "Le flux de votre page principale est en cours de préparation!", "regeneration_indicator.sublabel": "Le flux de votre page principale est en cours de préparation!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number} j", "relative_time.days": "{number} j",
"relative_time.hours": "{number} h", "relative_time.hours": "{number} h",
"relative_time.just_now": "à linstant", "relative_time.just_now": "à linstant",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Annuler", "reply_indicator.cancel": "Annuler",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Transférer à {target}", "report.forward": "Transférer à {target}",
"report.forward_hint": "Le compte provient dun autre serveur. Envoyez également une copie anonyme du rapport?", "report.forward_hint": "Le compte provient dun autre serveur. Envoyez également une copie anonyme du rapport?",
"report.hint": "Le rapport sera envoyé aux modérateur·rice·s de votre instance. Vous pouvez expliquer pourquoi vous signalez le compte ci-dessous :", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Commentaires additionnels", "report.placeholder": "Commentaires additionnels",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Envoyer", "report.submit": "Envoyer",
"report.target": "Signalement", "report.target": "Signalement",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Rechercher", "search.placeholder": "Rechercher",
"search_results.accounts": "Comptes", "search_results.accounts": "Comptes",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Pouets", "search_results.statuses": "Pouets",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Ouvrir linterface de modération pour @{name}", "status.admin_account": "Ouvrir linterface de modération pour @{name}",
"status.admin_status": "Ouvrir ce statut dans linterface de modération", "status.admin_status": "Ouvrir ce statut dans linterface de modération",
"status.block": "Bloquer @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Dé-booster", "status.cancel_reblog_private": "Dé-booster",
@ -976,14 +1075,16 @@
"status.delete": "Effacer", "status.delete": "Effacer",
"status.detailed_status": "Vue détaillée de la conversation", "status.detailed_status": "Vue détaillée de la conversation",
"status.direct": "Envoyer un message direct à @{name}", "status.direct": "Envoyer un message direct à @{name}",
"status.edit": "Edit",
"status.embed": "Intégrer", "status.embed": "Intégrer",
"status.external": "View post on {domain}",
"status.favourite": "Ajouter aux favoris", "status.favourite": "Ajouter aux favoris",
"status.filtered": "Filtré", "status.filtered": "Filtré",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Charger plus", "status.load_more": "Charger plus",
"status.media_hidden": "Média caché",
"status.mention": "Mentionner @{name}", "status.mention": "Mentionner @{name}",
"status.more": "Plus", "status.more": "Plus",
"status.mute": "Masquer @{name}",
"status.mute_conversation": "Masquer la conversation", "status.mute_conversation": "Masquer la conversation",
"status.open": "Déplier ce statut", "status.open": "Déplier ce statut",
"status.pin": "Épingler sur le profil", "status.pin": "Épingler sur le profil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "En savoir plus", "status.read_more": "En savoir plus",
"status.reblog": "Partager", "status.reblog": "Partager",
"status.reblog_private": "Booster vers laudience originale", "status.reblog_private": "Booster vers laudience originale",
@ -1009,13 +1109,15 @@
"status.replyAll": "Répondre au fil", "status.replyAll": "Répondre au fil",
"status.report": "Signaler @{name}", "status.report": "Signaler @{name}",
"status.sensitive_warning": "Contenu sensible", "status.sensitive_warning": "Contenu sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Partager", "status.share": "Partager",
"status.show_less": "Replier",
"status.show_less_all": "Tout replier", "status.show_less_all": "Tout replier",
"status.show_more": "Déplier",
"status.show_more_all": "Tout déplier", "status.show_more_all": "Tout déplier",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Ne plus masquer la conversation", "status.unmute_conversation": "Ne plus masquer la conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Rejeter la suggestion", "suggestions.dismiss": "Rejeter la suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Accueil", "tabs_bar.home": "Accueil",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifications", "tabs_bar.notifications": "Notifications",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Chercher", "tabs_bar.search": "Chercher",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} restants", "time_remaining.days": "{number, plural, one {# day} other {# days}} restants",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} restantes", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} restantes",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} restantes", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} restantes",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} restantes", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} restantes",
"trends.count_by_accounts": "{count} {rawCount, plural, one {personne} other {personnes}} discutent", "trends.count_by_accounts": "{count} {rawCount, plural, one {personne} other {personnes}} discutent",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Votre brouillon sera perdu si vous quittez Soapbox.", "ui.beforeunload": "Votre brouillon sera perdu si vous quittez Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Taille maximale d'envoi de fichier dépassée.", "upload_error.limit": "Taille maximale d'envoi de fichier dépassée.",
"upload_error.poll": "Lenvoi de fichiers nest pas autorisé avec les sondages.", "upload_error.poll": "Lenvoi de fichiers nest pas autorisé avec les sondages.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Décrire pour les malvoyant·e·s", "upload_form.description": "Décrire pour les malvoyant·e·s",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Lecture", "video.play": "Lecture",
"video.unmute": "Rétablir le son", "video.unmute": "Rétablir le son",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Hide everything from {domain}", "account.block_domain": "Hide everything from {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct message @{name}", "account.direct": "Direct message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Edit profile", "account.edit_profile": "Edit profile",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Follow", "account.follow": "Follow",
"account.followers": "Followers", "account.followers": "Followers",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Follows", "account.follows": "Follows",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Follows you", "account.follows_you": "Follows you",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mention", "account.mention": "Mention",
"account.moved_to": "{name} has moved to:",
"account.mute": "Mute @{name}", "account.mute": "Mute @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Posts and replies", "account.posts_with_replies": "Posts and replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Report @{name}", "account.report": "Report @{name}",
"account.requested": "Awaiting approval", "account.requested": "Awaiting approval",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Unblock @{name}", "account.unblock": "Unblock @{name}",
"account.unblock_domain": "Unhide {domain}", "account.unblock_domain": "Unhide {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Unfollow", "account.unfollow": "Unfollow",
"account.unmute": "Unmute @{name}", "account.unmute": "Unmute @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "You can press {combo} to skip this next time", "boost_modal.combo": "You can press {combo} to skip this next time",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Local timeline", "column.community": "Local timeline",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Follow requests", "column.follow_requests": "Follow requests",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Home", "column.home": "Home",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Back", "column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This post will only be sent to all the mentioned users.", "compose_form.direct_message_warning": "This post will only be sent to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "What is on your mind?", "compose_form.placeholder": "What is on your mind?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Write your warning here", "compose_form.spoiler_placeholder": "Write your warning here",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "Or you can visit {public} to get started and meet other users.", "empty_column.home": "Or you can visit {public} to get started and meet other users.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.", "empty_column.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.", "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Authorize", "follow_request.authorize": "Authorize",
"follow_request.reject": "Reject", "follow_request.reject": "Reject",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} is open source software. You can contribute or report issues at {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Show reposts", "home.column_settings.show_reblogs": "Show reposts",
"home.column_settings.show_replies": "Show replies", "home.column_settings.show_replies": "Show replies",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Not found", "missing_indicator.label": "Not found",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blocked users", "navigation_bar.blocks": "Blocked users",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Muted users", "navigation_bar.mutes": "Muted users",
"navigation_bar.preferences": "Preferences", "navigation_bar.preferences": "Preferences",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favorited your post", "notification.favourite": "{name} favorited your post",
"notification.follow": "{name} followed you", "notification.follow": "{name} followed you",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mentioned you", "notification.mention": "{name} mentioned you",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} reposted your post", "notification.reblog": "{name} reposted your post",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clear notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Desktop notifications",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favorites:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "New followers:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mentions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Reposts:",
"notifications.column_settings.show": "Show in column",
"notifications.column_settings.sound": "Play sound",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancel", "reply_indicator.cancel": "Cancel",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your server moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Additional comments", "report.placeholder": "Additional comments",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Report {target}", "report.target": "Report {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Delete", "status.delete": "Delete",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Favorite", "status.favourite": "Favorite",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Load more", "status.load_more": "Load more",
"status.media_hidden": "Media hidden",
"status.mention": "Mention @{name}", "status.mention": "Mention @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Expand this post", "status.open": "Expand this post",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Sensitive content", "status.sensitive_warning": "Sensitive content",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Show less",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home", "tabs_bar.home": "Home",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifications", "tabs_bar.notifications": "Notifications",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Ocultar calquer contido de {domain}", "account.block_domain": "Ocultar calquer contido de {domain}",
"account.blocked": "Bloqueada", "account.blocked": "Bloqueada",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Mensaxe directa @{name}", "account.direct": "Mensaxe directa @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Editar perfil", "account.edit_profile": "Editar perfil",
"account.endorse": "Mostrado no perfil", "account.endorse": "Mostrado no perfil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Seguir", "account.follow": "Seguir",
"account.followers": "Seguidoras", "account.followers": "Seguidoras",
"account.followers.empty": "Ninguén está a seguir esta usuaria por agora.", "account.followers.empty": "Ninguén está a seguir esta usuaria por agora.",
"account.follows": "Seguindo", "account.follows": "Seguindo",
"account.follows.empty": "Esta usuaria aínda non segue a ninguén.", "account.follows.empty": "Esta usuaria aínda non segue a ninguén.",
"account.follows_you": "Séguete", "account.follows_you": "Séguete",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Ocultar repeticións de @{name}", "account.hide_reblogs": "Ocultar repeticións de @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "A propiedade de esta ligazón foi comprobada en {date}", "account.link_verified_on": "A propiedade de esta ligazón foi comprobada en {date}",
@ -30,36 +34,56 @@
"account.media": "Medios", "account.media": "Medios",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mencionar", "account.mention": "Mencionar",
"account.moved_to": "{name} marchou a:",
"account.mute": "Acalar @{name}", "account.mute": "Acalar @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Toots e respostas", "account.posts_with_replies": "Toots e respostas",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Informar sobre @{name}", "account.report": "Informar sobre @{name}",
"account.requested": "Agardando aceptación. Pulse para cancelar a solicitude de seguimento", "account.requested": "Agardando aceptación. Pulse para cancelar a solicitude de seguimento",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Compartir o perfil de @{name}", "account.share": "Compartir o perfil de @{name}",
"account.show_reblogs": "Mostrar repeticións de @{name}", "account.show_reblogs": "Mostrar repeticións de @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desbloquear @{name}", "account.unblock": "Desbloquear @{name}",
"account.unblock_domain": "Non ocultar {domain}", "account.unblock_domain": "Non ocultar {domain}",
"account.unendorse": "Non mostrar no perfil", "account.unendorse": "Non mostrar no perfil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Non seguir", "account.unfollow": "Non seguir",
"account.unmute": "Non acalar @{name}", "account.unmute": "Non acalar @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Pulse {combo} para saltar esto a próxima vez", "boost_modal.combo": "Pulse {combo} para saltar esto a próxima vez",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Houbo un fallo mentras se cargaba este compoñente.", "bundle_column_error.body": "Houbo un fallo mentras se cargaba este compoñente.",
"bundle_column_error.retry": "Inténteo de novo", "bundle_column_error.retry": "Inténteo de novo",
"bundle_column_error.title": "Fallo na rede", "bundle_column_error.title": "Fallo na rede",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Liña temporal local", "column.community": "Liña temporal local",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Mensaxes directas", "column.direct": "Mensaxes directas",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Dominios agochados", "column.domain_blocks": "Dominios agochados",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Peticións de seguimento", "column.follow_requests": "Peticións de seguimento",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Inicio", "column.home": "Inicio",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Atrás", "column_back_button.label": "Atrás",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mostras axustes",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Só medios", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Este toot enviarase só as usuarias mencionadas. Porén, a súa proveedora de internet e calquera das instancias receptoras poderían examinar esta mensaxe.", "compose_form.direct_message_warning": "Este toot enviarase só as usuarias mencionadas. Porén, a súa proveedora de internet e calquera das instancias receptoras poderían examinar esta mensaxe.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Qué contas?", "compose_form.placeholder": "Qué contas?",
"compose_form.poll.add_option": "Engadir unha opción", "compose_form.poll.add_option": "Engadir unha opción",
"compose_form.poll.duration": "Duración da sondaxe", "compose_form.poll.duration": "Duración da sondaxe",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Opción {number}", "compose_form.poll.option_placeholder": "Opción {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Eliminar esta opción", "compose_form.poll.remove_option": "Eliminar esta opción",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Marcar medios como sensibles",
"compose_form.sensitive.marked": "Medios marcados como sensibles",
"compose_form.sensitive.unmarked": "Os medios non están marcados como sensibles",
"compose_form.spoiler.marked": "O texto está agochado tras un aviso", "compose_form.spoiler.marked": "O texto está agochado tras un aviso",
"compose_form.spoiler.unmarked": "O texto non está agochado", "compose_form.spoiler.unmarked": "O texto non está agochado",
"compose_form.spoiler_placeholder": "Escriba o aviso aquí", "compose_form.spoiler_placeholder": "Escriba o aviso aquí",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancelar", "confirmation_modal.cancel": "Cancelar",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Bloquear", "confirmations.block.confirm": "Bloquear",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Está segura de querer bloquear a {name}?", "confirmations.block.message": "Está segura de querer bloquear a {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Borrar", "confirmations.delete.confirm": "Borrar",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Está segura de que quere eliminar este estado?", "confirmations.delete.message": "Está segura de que quere eliminar este estado?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Respostar", "confirmations.reply.confirm": "Respostar",
"confirmations.reply.message": "Respostando agora sobreescribirá a mensaxe que está a compoñer. Segura de querer proceder?", "confirmations.reply.message": "Respostando agora sobreescribirá a mensaxe que está a compoñer. Segura de querer proceder?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Copie o código inferior para incrustar no seu sitio web este estado.", "embed.instructions": "Copie o código inferior para incrustar no seu sitio web este estado.",
"embed.preview": "Así será mostrado:",
"emoji_button.activity": "Actividade", "emoji_button.activity": "Actividade",
"emoji_button.custom": "Persoalizado", "emoji_button.custom": "Persoalizado",
"emoji_button.flags": "Marcas", "emoji_button.flags": "Marcas",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Non ten peticións de seguimento. Cando reciba unha, mostrarase aquí.", "empty_column.follow_requests": "Non ten peticións de seguimento. Cando reciba unha, mostrarase aquí.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Aínda non hai nada con esta etiqueta.", "empty_column.hashtag": "Aínda non hai nada con esta etiqueta.",
"empty_column.home": "A súa liña temporal de inicio está baldeira! Visite {public} ou utilice a busca para atopar outras usuarias.", "empty_column.home": "A súa liña temporal de inicio está baldeira! Visite {public} ou utilice a busca para atopar outras usuarias.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Aínda non hai nada en esta lista. Cando as usuarias incluídas na lista publiquen mensaxes, aparecerán aquí.", "empty_column.list": "Aínda non hai nada en esta lista. Cando as usuarias incluídas na lista publiquen mensaxes, aparecerán aquí.",
"empty_column.lists": "Aínda non ten listas. Cando cree unha, mostrarase aquí.", "empty_column.lists": "Aínda non ten listas. Cando cree unha, mostrarase aquí.",
"empty_column.mutes": "Non acalou ningunha usuaria polo de agora.", "empty_column.mutes": "Non acalou ningunha usuaria polo de agora.",
"empty_column.notifications": "Aínda non ten notificacións. Interactúe con outras para iniciar unha conversa.", "empty_column.notifications": "Aínda non ten notificacións. Interactúe con outras para iniciar unha conversa.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Nada por aquí! Escriba algo de xeito público, ou siga manualmente usuarias de outros servidores para ir enchéndoa", "empty_column.public": "Nada por aquí! Escriba algo de xeito público, ou siga manualmente usuarias de outros servidores para ir enchéndoa",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autorizar", "follow_request.authorize": "Autorizar",
"follow_request.reject": "Rexeitar", "follow_request.reject": "Rexeitar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} é software de código aberto. Pode contribuír ou informar de fallos en {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} é software de código aberto. Pode contribuír ou informar de fallos en {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "e {additional}", "hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}", "hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}", "hashtag.column_header.tag_mode.none": "sen {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Mostrar repeticións", "home.column_settings.show_reblogs": "Mostrar repeticións",
"home.column_settings.show_replies": "Mostrar respostas", "home.column_settings.show_replies": "Mostrar respostas",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural,one {# día} other {# días}}", "intervals.full.days": "{number, plural,one {# día} other {# días}}",
"intervals.full.hours": "{number, plural, one {# hora} other {# horas}}", "intervals.full.hours": "{number, plural, one {# hora} other {# horas}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}", "intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "voltar atrás", "keyboard_shortcuts.back": "voltar atrás",
"keyboard_shortcuts.blocked": "abrir lista de usuarias bloqueadas", "keyboard_shortcuts.blocked": "abrir lista de usuarias bloqueadas",
"keyboard_shortcuts.boost": "promover", "keyboard_shortcuts.boost": "promover",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Ocultar", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Non atopado", "missing_indicator.label": "Non atopado",
"missing_indicator.sublabel": "Non se puido atopar o recurso", "missing_indicator.sublabel": "Non se puido atopar o recurso",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Esconder notificacións deste usuario?", "mute_modal.hide_notifications": "Esconder notificacións deste usuario?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Usuarias bloqueadas", "navigation_bar.blocks": "Usuarias bloqueadas",
"navigation_bar.compose": "Escribir novo toot", "navigation_bar.compose": "Escribir novo toot",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Dominios agochados", "navigation_bar.domain_blocks": "Dominios agochados",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Usuarias acaladas", "navigation_bar.mutes": "Usuarias acaladas",
"navigation_bar.preferences": "Preferencias", "navigation_bar.preferences": "Preferencias",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Seguridade",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} marcou como favorito o seu estado", "notification.favourite": "{name} marcou como favorito o seu estado",
"notification.follow": "{name} está a seguila", "notification.follow": "{name} está a seguila",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mencionoute", "notification.mention": "{name} mencionoute",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Unha sondaxe na que votou xa rematou", "notification.poll": "Unha sondaxe na que votou xa rematou",
"notification.reblog": "{name} promoveu o seu estado", "notification.reblog": "{name} promoveu o seu estado",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Limpar notificacións", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Estás seguro de que queres limpar permanentemente todas as túas notificacións?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notificacións de escritorio",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoritas:",
"notifications.column_settings.filter_bar.advanced": "Mostrar todas as categorías",
"notifications.column_settings.filter_bar.category": "Barra de filtrado rápido",
"notifications.column_settings.filter_bar.show": "Mostrar",
"notifications.column_settings.follow": "Novos seguidores:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mencións:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Resultados da sondaxe:",
"notifications.column_settings.push": "Enviar notificacións",
"notifications.column_settings.reblog": "Promocións:",
"notifications.column_settings.show": "Mostrar en columna",
"notifications.column_settings.sound": "Reproducir son",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Todo", "notifications.filter.all": "Todo",
"notifications.filter.boosts": "Promocións", "notifications.filter.boosts": "Promocións",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favoritos", "notifications.filter.favourites": "Favoritos",
"notifications.filter.follows": "Seguimentos", "notifications.filter.follows": "Seguimentos",
"notifications.filter.mentions": "Mencións", "notifications.filter.mentions": "Mencións",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Resultados da sondaxe", "notifications.filter.polls": "Resultados da sondaxe",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notificacións", "notifications.group": "{count} notificacións",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Pechado", "poll.closed": "Pechado",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Actualizar", "poll.refresh": "Actualizar",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# voto} outros {# votos}}", "poll.total_votes": "{count, plural, one {# voto} outros {# votos}}",
"poll.vote": "Votar", "poll.vote": "Votar",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Engadir sondaxe", "poll_button.add_poll": "Engadir sondaxe",
"poll_button.remove_poll": "Eliminar sondaxe", "poll_button.remove_poll": "Eliminar sondaxe",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Axustar a intimidade do estado", "privacy.change": "Axustar a intimidade do estado",
"privacy.direct.long": "Enviar exclusivamente as usuarias mencionadas", "privacy.direct.long": "Enviar exclusivamente as usuarias mencionadas",
"privacy.direct.short": "Directa", "privacy.direct.short": "Directa",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Non listada", "privacy.unlisted.short": "Non listada",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Cargando…", "regeneration_indicator.label": "Cargando…",
"regeneration_indicator.sublabel": "Estase a preparar a súa liña temporal de inicio!", "regeneration_indicator.sublabel": "Estase a preparar a súa liña temporal de inicio!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "agora", "relative_time.just_now": "agora",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancelar", "reply_indicator.cancel": "Cancelar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Reenviar a {target}", "report.forward": "Reenviar a {target}",
"report.forward_hint": "A conta pertence a outro servidor. Enviar unha copia anónima do informe alí tamén?", "report.forward_hint": "A conta pertence a outro servidor. Enviar unha copia anónima do informe alí tamén?",
"report.hint": "O informe enviarase a moderación do seu servidor. Abaixo pode explicar a razón pola que está a informar:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Comentarios adicionais", "report.placeholder": "Comentarios adicionais",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Enviar", "report.submit": "Enviar",
"report.target": "Informar {target}", "report.target": "Informar {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Buscar", "search.placeholder": "Buscar",
"search_results.accounts": "Xente", "search_results.accounts": "Xente",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Etiquetas", "search_results.hashtags": "Etiquetas",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Abrir interface de moderación para @{name}", "status.admin_account": "Abrir interface de moderación para @{name}",
"status.admin_status": "Abrir este estado na interface de moderación", "status.admin_status": "Abrir este estado na interface de moderación",
"status.block": "Bloquear @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Non promover", "status.cancel_reblog_private": "Non promover",
@ -976,14 +1075,16 @@
"status.delete": "Eliminar", "status.delete": "Eliminar",
"status.detailed_status": "Vista detallada da conversa", "status.detailed_status": "Vista detallada da conversa",
"status.direct": "Mensaxe directa @{name}", "status.direct": "Mensaxe directa @{name}",
"status.edit": "Edit",
"status.embed": "Incrustar", "status.embed": "Incrustar",
"status.external": "View post on {domain}",
"status.favourite": "Favorita", "status.favourite": "Favorita",
"status.filtered": "Filtrado", "status.filtered": "Filtrado",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Cargar máis", "status.load_more": "Cargar máis",
"status.media_hidden": "Medios ocultos",
"status.mention": "Mencionar @{name}", "status.mention": "Mencionar @{name}",
"status.more": "Máis", "status.more": "Máis",
"status.mute": "Acalar @{name}",
"status.mute_conversation": "Acalar conversa", "status.mute_conversation": "Acalar conversa",
"status.open": "Expandir este estado", "status.open": "Expandir este estado",
"status.pin": "Fixar no perfil", "status.pin": "Fixar no perfil",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Lea máis", "status.read_more": "Lea máis",
"status.reblog": "Promover", "status.reblog": "Promover",
"status.reblog_private": "Promover a audiencia orixinal", "status.reblog_private": "Promover a audiencia orixinal",
@ -1009,13 +1109,15 @@
"status.replyAll": "Resposta a conversa", "status.replyAll": "Resposta a conversa",
"status.report": "Informar @{name}", "status.report": "Informar @{name}",
"status.sensitive_warning": "Contido sensible", "status.sensitive_warning": "Contido sensible",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Compartir", "status.share": "Compartir",
"status.show_less": "Mostrar menos",
"status.show_less_all": "Mostrar menos para todas", "status.show_less_all": "Mostrar menos para todas",
"status.show_more": "Mostrar máis",
"status.show_more_all": "Mostrar máis para todas", "status.show_more_all": "Mostrar máis para todas",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Non acalar a conversa", "status.unmute_conversation": "Non acalar a conversa",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Rexeitar suxestión", "suggestions.dismiss": "Rexeitar suxestión",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Inicio", "tabs_bar.home": "Inicio",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notificacións", "tabs_bar.notifications": "Notificacións",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Buscar", "tabs_bar.search": "Buscar",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# dia} other {# días}} restantes", "time_remaining.days": "{number, plural, one {# dia} other {# días}} restantes",
"time_remaining.hours": "{number, plural, one {# hora} other {# horas}} restantes", "time_remaining.hours": "{number, plural, one {# hora} other {# horas}} restantes",
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minutos}} restantes", "time_remaining.minutes": "{number, plural, one {# minuto} other {# minutos}} restantes",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# segundo} other {# segundos}} restantes", "time_remaining.seconds": "{number, plural, one {# segundo} other {# segundos}} restantes",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} outras {people}} conversando", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} outras {people}} conversando",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "O borrador perderase se sae de Soapbox.", "ui.beforeunload": "O borrador perderase se sae de Soapbox.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Excedeu o límite de subida de ficheiros.", "upload_error.limit": "Excedeu o límite de subida de ficheiros.",
"upload_error.poll": "Non se poden subir ficheiros nas sondaxes.", "upload_error.poll": "Non se poden subir ficheiros nas sondaxes.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describa para deficientes visuais", "upload_form.description": "Describa para deficientes visuais",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pausar", "video.pause": "Pausar",
"video.play": "Reproducir", "video.play": "Reproducir",
"video.unmute": "Permitir son", "video.unmute": "Permitir son",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "להסתיר הכל מהקהילה {domain}", "account.block_domain": "להסתיר הכל מהקהילה {domain}",
"account.blocked": "חסום", "account.blocked": "חסום",
"account.chat": "צ'אט עם @{name}", "account.chat": "צ'אט עם @{name}",
"account.column_settings.description": ".ההגדרות האלו מיושמות על כל ציר הזמן",
"account.column_settings.title": "הגדרות ציר זמן של המשתמש",
"account.deactivated": "מושבת", "account.deactivated": "מושבת",
"account.direct": "הודעה ישירה @{name}", "account.direct": "הודעה ישירה @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "עריכת פרופיל", "account.edit_profile": "עריכת פרופיל",
"account.endorse": "הצג בפרופיל", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "מעקב", "account.follow": "מעקב",
"account.followers": "עוקבים", "account.followers": "עוקבים",
"account.followers.empty": "אף אחד לא עוקב אחר המשתמש הזה עדיין.", "account.followers.empty": "אף אחד לא עוקב אחר המשתמש הזה עדיין.",
"account.follows": "נעקבים", "account.follows": "נעקבים",
"account.follows.empty": "משתמש זה לא עוקב אחר אף אחד עדיין.", "account.follows.empty": "משתמש זה לא עוקב אחר אף אחד עדיין.",
"account.follows_you": "במעקב אחריך", "account.follows_you": "במעקב אחריך",
"account.header.alt": "Profile header",
"account.hide_reblogs": "להסתיר הידהודים מאת @{name}", "account.hide_reblogs": "להסתיר הידהודים מאת @{name}",
"account.last_status": "פעיל לאחרונה", "account.last_status": "פעיל לאחרונה",
"account.link_verified_on": "בעלות על הקישור הזה נבדקה לאחרונה ב{date}", "account.link_verified_on": "בעלות על הקישור הזה נבדקה לאחרונה ב{date}",
@ -30,36 +34,56 @@
"account.media": "מדיה", "account.media": "מדיה",
"account.member_since": "הצטרף {date}", "account.member_since": "הצטרף {date}",
"account.mention": "אזכור של", "account.mention": "אזכור של",
"account.moved_to": "החשבון {name} הועבר אל:",
"account.mute": "להשתיק את @{name}", "account.mute": "להשתיק את @{name}",
"account.muted": "Muted",
"account.never_active": "אף פעם", "account.never_active": "אף פעם",
"account.posts": "פוסטים", "account.posts": "פוסטים",
"account.posts_with_replies": "פוסטים עם תגובות", "account.posts_with_replies": "פוסטים עם תגובות",
"account.profile": "פרופיל", "account.profile": "פרופיל",
"account.profile_external": "View profile on {domain}",
"account.register": "הרשם", "account.register": "הרשם",
"account.remote_follow": "מעקב מרחוק", "account.remote_follow": "מעקב מרחוק",
"account.remove_from_followers": "Remove this follower",
"account.report": "לדווח על @{name}", "account.report": "לדווח על @{name}",
"account.requested": "בהמתנה לאישור", "account.requested": "בהמתנה לאישור",
"account.requested_small": "מחכה לאישור", "account.requested_small": "מחכה לאישור",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "לשתף את הפרופיל של @{name}", "account.share": "לשתף את הפרופיל של @{name}",
"account.show_reblogs": "להראות הדהודים מאת @{name}", "account.show_reblogs": "להראות הדהודים מאת @{name}",
"account.subscribe": "הרשם להתראות מאת @{name}", "account.subscribe": "הרשם להתראות מאת @{name}",
"account.subscribed": "רשום", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "הסרת חסימה מעל @{name}", "account.unblock": "הסרת חסימה מעל @{name}",
"account.unblock_domain": "הסר חסימה מקהילת {domain}", "account.unblock_domain": "הסר חסימה מקהילת {domain}",
"account.unendorse": "לא להציג בפרופיל", "account.unendorse": "לא להציג בפרופיל",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "הפסקת מעקב", "account.unfollow": "הפסקת מעקב",
"account.unmute": "הפסקת השתקת @{name}", "account.unmute": "הפסקת השתקת @{name}",
"account.unsubscribe": "בטל הרשמה מ@{name}", "account.unsubscribe": "בטל הרשמה מ@{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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "אין מדיה להראות.", "account_gallery.none": "אין מדיה להראות.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "חפש משתמש", "account_search.placeholder": "חפש משתמש",
"account_timeline.column_settings.show_pinned": "הצג הודעות מוצמדות", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} הואשר!", "admin.awaiting_approval.approved_message": "{acct} הואשר!",
"admin.awaiting_approval.empty_message": "אף אחד לא מחכה לאישור. כאשר משתמש חדש יירשם, תוכל לבחון אותו פה.", "admin.awaiting_approval.empty_message": "אף אחד לא מחכה לאישור. כאשר משתמש חדש יירשם, תוכל לבחון אותו פה.",
"admin.awaiting_approval.rejected_message": "{acct} נדחה", "admin.awaiting_approval.rejected_message": "{acct} נדחה",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "את מי אתה מחפש?", "admin.user_index.search_input_placeholder": "את מי אתה מחפש?",
"admin.users.actions.deactivate_user": "השבת @{name}", "admin.users.actions.deactivate_user": "השבת @{name}",
"admin.users.actions.delete_user": "מחק @{name}", "admin.users.actions.delete_user": "מחק @{name}",
"admin.users.actions.demote_to_moderator": "הורד @{name} בדרגה למנהל",
"admin.users.actions.demote_to_moderator_message": "@{acct} הורד בדרגה למנהל", "admin.users.actions.demote_to_moderator_message": "@{acct} הורד בדרגה למנהל",
"admin.users.actions.demote_to_user": "הורד @{name} בדרגה למשתמש רגיל",
"admin.users.actions.demote_to_user_message": "@{acct} הורד בדרגה למשתמש רגיל", "admin.users.actions.demote_to_user_message": "@{acct} הורד בדרגה למשתמש רגיל",
"admin.users.actions.promote_to_admin": "קדם @{name} לאדמין",
"admin.users.actions.promote_to_admin_message": "@{acct} קודם לאדמין", "admin.users.actions.promote_to_admin_message": "@{acct} קודם לאדמין",
"admin.users.actions.promote_to_moderator": "קדם @{name} למנהל",
"admin.users.actions.promote_to_moderator_message": "@{acct} קודם למנהל", "admin.users.actions.promote_to_moderator_message": "@{acct} קודם למנהל",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "הצע @{name}",
"admin.users.actions.unsuggest_user": "הסר הצעה @{name}",
"admin.users.actions.unverify_user": "הסר אימות @{name}",
"admin.users.actions.verify_user": "אמת @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} הושבת", "admin.users.user_deactivated_message": "@{acct} הושבת",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "מחכה לאישור", "admin_nav.awaiting_approval": "מחכה לאישור",
"admin_nav.dashboard": "לוח מחוונים", "admin_nav.dashboard": "לוח מחוונים",
"admin_nav.reports": "דיווחים", "admin_nav.reports": "דיווחים",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "דפדפן", "alert.unexpected.browser": "דפדפן",
"alert.unexpected.clear_cookies": "נקה קובצי 'עוגיות' ונתוני דפדפן", "alert.unexpected.clear_cookies": "נקה קובצי 'עוגיות' ונתוני דפדפן",
@ -136,6 +154,7 @@
"aliases.search": "חפש חשבון ישן", "aliases.search": "חפש חשבון ישן",
"aliases.success.add": "כינוי חשבון נוצר בהצלחה", "aliases.success.add": "כינוי חשבון נוצר בהצלחה",
"aliases.success.remove": "כינוי חשבון הוסר בהצלחה", "aliases.success.remove": "כינוי חשבון הוסר בהצלחה",
"announcements.title": "Announcements",
"app_create.name_label": "שם אפליקציה", "app_create.name_label": "שם אפליקציה",
"app_create.name_placeholder": "לדוגמא 'סבוניה'", "app_create.name_placeholder": "לדוגמא 'סבוניה'",
"app_create.redirect_uri_label": "נתב URIs", "app_create.redirect_uri_label": "נתב URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "אתר", "app_create.website_label": "אתר",
"auth.invalid_credentials": "שם משתמש או סיסמא שגוי", "auth.invalid_credentials": "שם משתמש או סיסמא שגוי",
"auth.logged_out": "מנותק", "auth.logged_out": "מנותק",
"auth_layout.register": "Create an account",
"backups.actions.create": "צור גיבוי", "backups.actions.create": "צור גיבוי",
"backups.empty_message": "לא נמצאו גיבויים. {action}", "backups.empty_message": "לא נמצאו גיבויים. {action}",
"backups.empty_message.action": "האם ליצור אחד עכשיו?", "backups.empty_message.action": "האם ליצור אחד עכשיו?",
"backups.pending": "בהמתנה", "backups.pending": "בהמתנה",
"beta.also_available": "זמין ב:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "ימי הולדת", "birthday_panel.title": "ימי הולדת",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "ניתן להקיש {combo} כדי לדלג בפעם הבאה", "boost_modal.combo": "ניתן להקיש {combo} כדי לדלג בפעם הבאה",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "משהו השתבש בעת הצגת הרכיב הזה.", "bundle_column_error.body": "משהו השתבש בעת הצגת הרכיב הזה.",
"bundle_column_error.retry": "לנסות שוב", "bundle_column_error.retry": "לנסות שוב",
"bundle_column_error.title": "תקלת רשת", "bundle_column_error.title": "תקלת רשת",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "שלח הודעה", "chat_box.input.placeholder": "שלח הודעה",
"chat_panels.main_window.empty": "לא נמצאו צ'אטים. כדי להתחיל צ'אט, בקר בפרופיל של משתמש.", "chat_panels.main_window.empty": "לא נמצאו צ'אטים. כדי להתחיל צ'אט, בקר בפרופיל של משתמש.",
"chat_panels.main_window.title": "צ'אטים", "chat_panels.main_window.title": "צ'אטים",
"chat_window.close": "Close chat",
"chats.actions.delete": "מחק הודעה", "chats.actions.delete": "מחק הודעה",
"chats.actions.more": "עוד", "chats.actions.more": "עוד",
"chats.actions.report": "דווח על משתמש", "chats.actions.report": "דווח על משתמש",
@ -198,11 +221,13 @@
"column.community": "ציר זמן מקומי", "column.community": "ציר זמן מקומי",
"column.crypto_donate": "תרום קריפטו", "column.crypto_donate": "תרום קריפטו",
"column.developers": "מפתחים", "column.developers": "מפתחים",
"column.developers.service_worker": "Service Worker",
"column.direct": "הודעות ישירות", "column.direct": "הודעות ישירות",
"column.directory": "דפדף בין פרופילים", "column.directory": "דפדף בין פרופילים",
"column.domain_blocks": "דומיינים מוסתרים", "column.domain_blocks": "דומיינים מוסתרים",
"column.edit_profile": "ערוך פרופיל", "column.edit_profile": "ערוך פרופיל",
"column.export_data": "יצא נתונים", "column.export_data": "יצא נתונים",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "פוסטים שאהבתי", "column.favourited_statuses": "פוסטים שאהבתי",
"column.favourites": "לייקים", "column.favourites": "לייקים",
"column.federation_restrictions": "הגבלות פדרציה", "column.federation_restrictions": "הגבלות פדרציה",
@ -227,7 +252,6 @@
"column.follow_requests": "בקשות מעקב", "column.follow_requests": "בקשות מעקב",
"column.followers": "עוקבים", "column.followers": "עוקבים",
"column.following": "עוקב אחרי", "column.following": "עוקב אחרי",
"column.groups": "קבוצות",
"column.home": "בית", "column.home": "בית",
"column.import_data": "יבא נתונים", "column.import_data": "יבא נתונים",
"column.info": "מידע על הסרבר", "column.info": "מידע על הסרבר",
@ -249,18 +273,17 @@
"column.remote": "ציר זמן פדרטיבי", "column.remote": "ציר זמן פדרטיבי",
"column.scheduled_statuses": "פוסטים מתוזמנים", "column.scheduled_statuses": "פוסטים מתוזמנים",
"column.search": "חפש", "column.search": "חפש",
"column.security": "אבטחה",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "תצורות סבוניה", "column.soapbox_config": "תצורות סבוניה",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "חזרה", "column_back_button.label": "חזרה",
"column_forbidden.body": "אין לך הרשאה לגשת לדף זה.", "column_forbidden.body": "אין לך הרשאה לגשת לדף זה.",
"column_forbidden.title": "אסור", "column_forbidden.title": "אסור",
"column_header.show_settings": "הצגת העדפות",
"common.cancel": "בטל", "common.cancel": "בטל",
"community.column_settings.media_only": "רק מדיה", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "הגדרות ציר זמן מקומי", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "השתמת ב{chars} מתוך {maxChars} תווים", "compose.character_counter.title": "השתמת ב{chars} מתוך {maxChars} תווים",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "עליך לתזמן פוסט לפחות 5 דקות.", "compose.invalid_schedule": "עליך לתזמן פוסט לפחות 5 דקות.",
"compose.submit_success": "הפוסט שלך נשלח", "compose.submit_success": "הפוסט שלך נשלח",
"compose_form.direct_message_warning": "פוסט זה יהיה גלוי רק לכל המשתמשים שהוזכרו.", "compose_form.direct_message_warning": "פוסט זה יהיה גלוי רק לכל המשתמשים שהוזכרו.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "נחתתי בלוס אנג'לס", "compose_form.placeholder": "נחתתי בלוס אנג'לס",
"compose_form.poll.add_option": "הוסף בחירה", "compose_form.poll.add_option": "הוסף בחירה",
"compose_form.poll.duration": "משך הסקר", "compose_form.poll.duration": "משך הסקר",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "בחירה {number}", "compose_form.poll.option_placeholder": "בחירה {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "הסר את הבחירה הזו", "compose_form.poll.remove_option": "הסר את הבחירה הזו",
"compose_form.poll.switch_to_multiple": "שנה סקר כדי לאפשר אפשרויות בחירה מרובות", "compose_form.poll.switch_to_multiple": "שנה סקר כדי לאפשר אפשרויות בחירה מרובות",
"compose_form.poll.switch_to_single": "שנה סקר כדי לאפשר בחירה יחידה", "compose_form.poll.switch_to_single": "שנה סקר כדי לאפשר בחירה יחידה",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "ללחוש", "compose_form.publish": "ללחוש",
"compose_form.publish_loud": "!פרסם", "compose_form.publish_loud": "!פרסם",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "לתזמן", "compose_form.schedule": "לתזמן",
"compose_form.scheduled_statuses.click_here": "לחץ כאן", "compose_form.scheduled_statuses.click_here": "לחץ כאן",
"compose_form.scheduled_statuses.message": "יש לך פוסטים מתוזמנים. {לחץ_כאן} כדי לראות אותם.", "compose_form.scheduled_statuses.message": "יש לך פוסטים מתוזמנים. {לחץ_כאן} כדי לראות אותם.",
"compose_form.sensitive.hide": "סמן מדיה כרגישה",
"compose_form.sensitive.marked": "מדיה מסומנת כרגישה",
"compose_form.sensitive.unmarked": "מדיה לא מסומנת כרגישה",
"compose_form.spoiler.marked": "טקסט מוסתר מאחורי אזהרה", "compose_form.spoiler.marked": "טקסט מוסתר מאחורי אזהרה",
"compose_form.spoiler.unmarked": "הטקסט אינו מוסתר", "compose_form.spoiler.unmarked": "הטקסט אינו מוסתר",
"compose_form.spoiler_placeholder": "אזהרת תוכן", "compose_form.spoiler_placeholder": "אזהרת תוכן",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "ביטול", "confirmation_modal.cancel": "ביטול",
"confirmations.admin.deactivate_user.confirm": "השבת @{name}", "confirmations.admin.deactivate_user.confirm": "השבת @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "לחסום", "confirmations.block.confirm": "לחסום",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "לחסום את {name}?", "confirmations.block.message": "לחסום את {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "למחוק", "confirmations.delete.confirm": "למחוק",
"confirmations.delete.heading": "מחק הודעה", "confirmations.delete.heading": "מחק הודעה",
"confirmations.delete.message": "למחוק את ההודעה?", "confirmations.delete.message": "למחוק את ההודעה?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "אנא בדוק את תיבת הדואר הנכנס שלך בכתובת {email} לקבלת הוראות אישור. תצטרך לאמת את כתובת הדואר שלך כדי להמשיך.", "confirmations.register.needs_confirmation": "אנא בדוק את תיבת הדואר הנכנס שלך בכתובת {email} לקבלת הוראות אישור. תצטרך לאמת את כתובת הדואר שלך כדי להמשיך.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "הגב", "confirmations.reply.confirm": "הגב",
"confirmations.reply.message": "כתיבת תגובה עכשיו תחליף את ההודעה שאתה כותב כעת. האם אתה בטוח שאתה רוצה להמשיך?", "confirmations.reply.message": "כתיבת תגובה עכשיו תחליף את ההודעה שאתה כותב כעת. האם אתה בטוח שאתה רוצה להמשיך?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "תרום מטבעות קריפטו", "crypto_donate_panel.heading": "תרום מטבעות קריפטו",
"crypto_donate_panel.intro.message": "{siteTitle} מקבל תרומות של מטבעות קריפטוגרפיים כדי לממן את השירות שלנו. תודה על תמיכתך!", "crypto_donate_panel.intro.message": "{siteTitle} מקבל תרומות של מטבעות קריפטוגרפיים כדי לממן את השירות שלנו. תודה על תמיכתך!",
"datepicker.day": "Day",
"datepicker.hint": "מתוכנן לפרסם ב...", "datepicker.hint": "מתוכנן לפרסם ב...",
"datepicker.month": "Month",
"datepicker.next_month": "חודש הבא", "datepicker.next_month": "חודש הבא",
"datepicker.next_year": "שנה הבאה", "datepicker.next_year": "שנה הבאה",
"datepicker.previous_month": "חודש קודם", "datepicker.previous_month": "חודש קודם",
"datepicker.previous_year": "שנה קודמת", "datepicker.previous_year": "שנה קודמת",
"datepicker.year": "Year",
"developers.challenge.answer_label": "תשובה", "developers.challenge.answer_label": "תשובה",
"developers.challenge.answer_placeholder": "התשובה שלך", "developers.challenge.answer_placeholder": "התשובה שלך",
"developers.challenge.fail": "תשובה שגויה", "developers.challenge.fail": "תשובה שגויה",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "הפעלת שגיאה", "developers.navigation.intentional_error_label": "הפעלת שגיאה",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "שגיאת רשת", "developers.navigation.network_error_label": "שגיאת רשת",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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": "שלח הודעה ל...", "direct.search_placeholder": "שלח הודעה ל...",
"directory.federated": "מהפדיברס הידוע", "directory.federated": "מהפדיברס הידוע",
"directory.local": "מ{domain} בלבד", "directory.local": "מ{domain} בלבד",
"directory.new_arrivals": "מגיעים חדשים", "directory.new_arrivals": "מגיעים חדשים",
"directory.recently_active": "פעיל לאחרונה", "directory.recently_active": "פעיל לאחרונה",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "הסתר פוסטים למעט מעוקבים", "edit_federation.followers_only": "הסתר פוסטים למעט מעוקבים",
"edit_federation.force_nsfw": "כפה על סימון קבצים מצורפים כרגישים", "edit_federation.force_nsfw": "כפה על סימון קבצים מצורפים כרגישים",
"edit_federation.media_removal": "הסר מדיה", "edit_federation.media_removal": "הסר מדיה",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "נעל חשבון", "edit_profile.fields.locked_label": "נעל חשבון",
"edit_profile.fields.meta_fields.content_placeholder": "תוכן", "edit_profile.fields.meta_fields.content_placeholder": "תוכן",
"edit_profile.fields.meta_fields.label_placeholder": "תווית", "edit_profile.fields.meta_fields.label_placeholder": "תווית",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "חסום התראות מזרים", "edit_profile.fields.stranger_notifications_label": "חסום התראות מזרים",
"edit_profile.fields.website_label": "אתר", "edit_profile.fields.website_label": "אתר",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF או JPG. יוקטן ל-{size}", "edit_profile.hints.header": "PNG, GIF או JPG. יוקטן ל-{size}",
"edit_profile.hints.hide_network": "מי אתה עוקב ומי עוקב אחריך לא יוצג בפרופיל שלך", "edit_profile.hints.hide_network": "מי אתה עוקב ומי עוקב אחריך לא יוצג בפרופיל שלך",
"edit_profile.hints.locked": "מחייב אותך לאשר עוקבים באופן ידני", "edit_profile.hints.locked": "מחייב אותך לאשר עוקבים באופן ידני",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "הצג רק התראות מאנשים שאתה עוקב אחריהם", "edit_profile.hints.stranger_notifications": "הצג רק התראות מאנשים שאתה עוקב אחריהם",
"edit_profile.save": "שמירה", "edit_profile.save": "שמירה",
"edit_profile.success": "הפרופיל נשמר!", "edit_profile.success": "הפרופיל נשמר!",
"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.body": "Close this tab and continue the registration process on the {bold} from which you sent this email confirmation.",
"email_passthru.confirmed.heading": "אימייל אומת!", "email_passthru.confirmed.heading": "אימייל אומת!",
"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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "משהו השתבש", "email_passthru.generic_fail.heading": "משהו השתבש",
"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.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": "טוקן פג תוקף", "email_passthru.token_expired.heading": "טוקן פג תוקף",
"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.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": "טוקן לא תקין", "email_passthru.token_not_found.heading": "טוקן לא תקין",
"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.",
"embed.instructions": "ניתן להטמיע את ההודעה באתרך ע\"י העתקת הקוד שלהלן.", "embed.instructions": "ניתן להטמיע את ההודעה באתרך ע\"י העתקת הקוד שלהלן.",
"embed.preview": "דוגמא כיצד זה יראה:",
"emoji_button.activity": "פעילות", "emoji_button.activity": "פעילות",
"emoji_button.custom": "מיוחדים", "emoji_button.custom": "מיוחדים",
"emoji_button.flags": "דגלים", "emoji_button.flags": "דגלים",
@ -448,20 +503,23 @@
"empty_column.filters": "עדיין לא יצרת מילים מושתקות.", "empty_column.filters": "עדיין לא יצרת מילים מושתקות.",
"empty_column.follow_recommendations": "נראה שלא ניתן היה ליצור עבורך הצעות. אתה יכול לנסות להשתמש בחיפוש כדי לחפש אנשים שאתה עשוי להכיר או לחקור תגי האשטאג פופולריים.", "empty_column.follow_recommendations": "נראה שלא ניתן היה ליצור עבורך הצעות. אתה יכול לנסות להשתמש בחיפוש כדי לחפש אנשים שאתה עשוי להכיר או לחקור תגי האשטאג פופולריים.",
"empty_column.follow_requests": "עדיין אין לך בקשות מעקב. כשתקבל אחד, הוא יופיע כאן.", "empty_column.follow_requests": "עדיין אין לך בקשות מעקב. כשתקבל אחד, הוא יופיע כאן.",
"empty_column.group": "עדיין אין כלום בקבוצה הזו. כאשר חברי הקבוצה הזו מעלים פוסטים חדשים, הם יופיעו כאן.",
"empty_column.hashtag": "אין כלום בהאשתג הזה עדיין.", "empty_column.hashtag": "אין כלום בהאשתג הזה עדיין.",
"empty_column.home": "אף אחד לא במעקב עדיין. אפשר לבקר ב{public} או להשתמש בחיפוש כדי להתחיל ולהכיר משתמשים אחרים.", "empty_column.home": "אף אחד לא במעקב עדיין. אפשר לבקר ב{public} או להשתמש בחיפוש כדי להתחיל ולהכיר משתמשים אחרים.",
"empty_column.home.local_tab": "הכרטיסייה {site_title} של", "empty_column.home.local_tab": "הכרטיסייה {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.list": "אין עדיין כלום ברשימה.", "empty_column.list": "אין עדיין כלום ברשימה.",
"empty_column.lists": "עדיין אין לך רשימות. כאשר אתה יוצר אחד, הוא יופיע כאן.", "empty_column.lists": "עדיין אין לך רשימות. כאשר אתה יוצר אחד, הוא יופיע כאן.",
"empty_column.mutes": "עדיין לא השתקת אף משתמש.", "empty_column.mutes": "עדיין לא השתקת אף משתמש.",
"empty_column.notifications": "אין התראות.", "empty_column.notifications": "אין התראות.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "אין פה כלום! כדי למלא את הטור הזה אפשר לכתוב משהו, או להתחיל לעקוב אחרי אנשים מקהילות אחרות", "empty_column.public": "אין פה כלום! כדי למלא את הטור הזה אפשר לכתוב משהו, או להתחיל לעקוב אחרי אנשים מקהילות אחרות",
"empty_column.remote": "אין פה כלום! עקוב ידנית אחר משתמשים מ-{instance} כדי למלא אותו.", "empty_column.remote": "אין פה כלום! עקוב ידנית אחר משתמשים מ-{instance} כדי למלא אותו.",
"empty_column.scheduled_statuses": "עדיין אין לך סטטוסים מתוזמנים. כאשר אתה מוסיף אחד, הוא יופיע כאן.", "empty_column.scheduled_statuses": "עדיין אין לך סטטוסים מתוזמנים. כאשר אתה מוסיף אחד, הוא יופיע כאן.",
"empty_column.search.accounts": "אין תוצאות של אנשים עבור \"{term}\"", "empty_column.search.accounts": "אין תוצאות של אנשים עבור \"{term}\"",
"empty_column.search.hashtags": "אין תוצאות האשטאג עבור \"{term}\"", "empty_column.search.hashtags": "אין תוצאות האשטאג עבור \"{term}\"",
"empty_column.search.statuses": "אין תוצאות פוסטים עבור \"{term}\"", "empty_column.search.statuses": "אין תוצאות פוסטים עבור \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "ייצא נתונים", "export_data.actions.export": "ייצא נתונים",
"export_data.actions.export_blocks": "ייצא חסימות", "export_data.actions.export_blocks": "ייצא חסימות",
"export_data.actions.export_follows": "ייצא מעקבים", "export_data.actions.export_follows": "ייצא מעקבים",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "אל תראה שוב", "fediverse_tab.explanation_box.dismiss": "אל תראה שוב",
"fediverse_tab.explanation_box.explanation": "{site_title} הוא חלק מה-Fediverse, רשת חברתית המורכבת מאלפי אתרי מדיה חברתית עצמאית (הידועה בשם \"servers\"). הפוסטים שאתה רואה כאן הם משרתים של צד שלישי. יש לך את החופש לעסוק בהם, או לחסום כל שרת שאתה לא אוהב. שימו לב לשם המשתמש המלא אחרי הסימן @ השני כדי לדעת מאיזה שרת מגיע הפוסט. כדי לראות רק פוסטים של {site_title}, בקר ב-{local}.", "fediverse_tab.explanation_box.explanation": "{site_title} הוא חלק מה-Fediverse, רשת חברתית המורכבת מאלפי אתרי מדיה חברתית עצמאית (הידועה בשם \"servers\"). הפוסטים שאתה רואה כאן הם משרתים של צד שלישי. יש לך את החופש לעסוק בהם, או לחסום כל שרת שאתה לא אוהב. שימו לב לשם המשתמש המלא אחרי הסימן @ השני כדי לדעת מאיזה שרת מגיע הפוסט. כדי לראות רק פוסטים של {site_title}, בקר ב-{local}.",
"fediverse_tab.explanation_box.title": "מה זה הפדיברס?", "fediverse_tab.explanation_box.title": "מה זה הפדיברס?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "פילטר נוסף.", "filters.added": "פילטר נוסף.",
"filters.context_header": "הקשרי הפילטר", "filters.context_header": "הקשרי הפילטר",
"filters.context_hint": "הקשר אחד או מרובים שבהם הפילטר צריך לחול", "filters.context_hint": "הקשר אחד או מרובים שבהם הפילטר צריך לחול",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "מילת מפתח או ביטוי:", "filters.filters_list_phrase_label": "מילת מפתח או ביטוי:",
"filters.filters_list_whole-word": "מילה שלמה", "filters.filters_list_whole-word": "מילה שלמה",
"filters.removed": "פילטר נמחק.", "filters.removed": "פילטר נמחק.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "בוצע",
"follow_recommendations.heading": "עקוב אחר אנשים שאתה רוצה לראות מהם פוסטים! הנה כמה הצעות.",
"follow_recommendations.lead": "פוסטים מאנשים שאתה עוקב אחריהם יופיעו בסדר כרונולוגי בפיד הביתי שלך. אל תפחד לעשות טעויות, אתה יכול לבטל את המעקב אחר אנשים באותה קלות בכל עת!",
"follow_request.authorize": "קבלה", "follow_request.authorize": "קבלה",
"follow_request.reject": "דחיה", "follow_request.reject": "דחיה",
"forms.copy": "העתקה", "gdpr.accept": "Accept",
"forms.hide_password": "הסתר סיסמא", "gdpr.learn_more": "Learn more",
"forms.show_password": "הראה סיסמא", "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_link} (v{code_version}).", "getting_started.open_source_notice": "סבוניה היא תוכנה חופשית (בקוד פתוח). ניתן לתרום או לדווח על בעיות בגיטהאב: {code_link} (v{code_version}).",
"group.detail.archived_group": "קבוצה שנשמרה בארכיון",
"group.members.empty": "לקבוצה זו אין חברים.",
"group.removed_accounts.empty": "לקבוצה הזו אין חשבונות שהוסרו.",
"groups.card.join": "הצטרף",
"groups.card.members": "חברים",
"groups.card.roles.admin": "אתה מנהל",
"groups.card.roles.member": "אתה חבר",
"groups.card.view": "לצפות",
"groups.create": "צור קבוצה",
"groups.detail.role_admin": "אתה מנהל",
"groups.edit": "ערוך",
"groups.form.coverImage": "העלה תמונת באנר חדשה (אופציונלי)",
"groups.form.coverImageChange": "נבחרה תמונת באנר",
"groups.form.create": "צור קבוצה",
"groups.form.description": "תיאור",
"groups.form.title": "כותרת",
"groups.form.update": "עדכן קבוצה",
"groups.join": "הצטרף לקבוצה",
"groups.leave": "עזוב קבוצה",
"groups.removed_accounts": "חשבונות שהוסרו",
"groups.sidebar-panel.item.no_recent_activity": "אין פעילות לאחרונה",
"groups.sidebar-panel.item.view": "פוסטים חדשים",
"groups.sidebar-panel.show_all": "תראה הכול",
"groups.sidebar-panel.title": "קבוצות שאתה נמצא בהן",
"groups.tab_admin": "נהל",
"groups.tab_featured": "מומלצים",
"groups.tab_member": "חבר",
"hashtag.column_header.tag_mode.all": "ו-{additional}", "hashtag.column_header.tag_mode.all": "ו-{additional}",
"hashtag.column_header.tag_mode.any": "או {additional}", "hashtag.column_header.tag_mode.any": "או {additional}",
"hashtag.column_header.tag_mode.none": "בלי {additional}", "hashtag.column_header.tag_mode.none": "בלי {additional}",
@ -543,11 +574,10 @@
"header.login.label": "התחברות", "header.login.label": "התחברות",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "הצג הודעות ישירות",
"home.column_settings.show_reblogs": "הצגת הדהודים", "home.column_settings.show_reblogs": "הצגת הדהודים",
"home.column_settings.show_replies": "הצגת תגובות", "home.column_settings.show_replies": "הצגת תגובות",
"home.column_settings.title": "הגדרות ציר זמן ביתי",
"icon_button.icons": "סמלים", "icon_button.icons": "סמלים",
"icon_button.label": "בחר סמל", "icon_button.label": "בחר סמל",
"icon_button.not_found": "אין סימנים!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "אין סימנים!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "חסימות יובאו בהצלחה", "import_data.success.blocks": "חסימות יובאו בהצלחה",
"import_data.success.followers": "מעקבים יובאו בהצלחה", "import_data.success.followers": "מעקבים יובאו בהצלחה",
"import_data.success.mutes": "השתקות יובאו בהצלחה", "import_data.success.mutes": "השתקות יובאו בהצלחה",
"input.copy": "Copy",
"input.password.hide_password": "הסתר סיסמא", "input.password.hide_password": "הסתר סיסמא",
"input.password.show_password": "הצג סיסמא", "input.password.show_password": "הצג סיסמא",
"intervals.full.days": "{number, plural, one {# יום} other {# ימים}}", "intervals.full.days": "{number, plural, one {# יום} other {# ימים}}",
"intervals.full.hours": "{number, plural, one {# שעה} other {# שעות}}", "intervals.full.hours": "{number, plural, one {# שעה} other {# שעות}}",
"intervals.full.minutes": "{number, plural, one {# דקה} other {# דקות}}", "intervals.full.minutes": "{number, plural, one {# דקה} other {# דקות}}",
"introduction.federation.action": "הבא",
"introduction.federation.home.headline": "בית",
"introduction.federation.home.text": "פוסטים מאנשים שאתה עוקב אחריהם יופיעו בפיד הביתי שלך. אתה יכול לעקוב אחר כל אחד בכל שרת!",
"introduction.interactions.action": "סיים את ההדרכה!",
"introduction.interactions.favourite.headline": "לייק",
"introduction.interactions.favourite.text": "אתה יכול לשמור פוסט למועד מאוחר יותר, ולהודיע למחבר שאהבת אותואת הפוסט, על ידי .לחיצת לייק",
"introduction.interactions.reblog.headline": "להדהד",
"introduction.interactions.reblog.text": "אתה יכול לשתף פוסטים של אנשים אחרים עם העוקבים שלך על ידי הדהוד הפוסט שלהם.",
"introduction.interactions.reply.headline": "הגב",
"introduction.interactions.reply.text": "אתה יכול להשיב לפוסטים של אנשים אחרים ושלך, שיקשרו אותם יחדיו בשיחה.",
"introduction.welcome.action": "הבא נתחיל",
"introduction.welcome.headline": "צעדים ראשונים",
"introduction.welcome.text": "ברוכים הבאים ל-Fediverse! תוך כמה רגעים, תוכל לשדר הודעות ולדבר עם חבריך במגוון רחב של שרתים. אבל השרת הזה, {domain}, הוא מיוחד - הוא מארח את הפרופיל שלך, אז זכור את שמו.",
"keyboard_shortcuts.back": "ניווט חזרה", "keyboard_shortcuts.back": "ניווט חזרה",
"keyboard_shortcuts.blocked": "לפתיחת רשימת משתמשים חסומים", "keyboard_shortcuts.blocked": "לפתיחת רשימת משתמשים חסומים",
"keyboard_shortcuts.boost": "להדהד", "keyboard_shortcuts.boost": "להדהד",
@ -638,13 +656,18 @@
"login.fields.username_label": "שם משתמש או אימייל", "login.fields.username_label": "שם משתמש או אימייל",
"login.log_in": "התחברות", "login.log_in": "התחברות",
"login.otp_log_in": "התחברות OTP", "login.otp_log_in": "התחברות OTP",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "בעיה בהתחברות?", "login.reset_password_hint": "בעיה בהתחברות?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "נראה בלתי נראה", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "לא נמצאה מדיה.", "media_panel.empty_message": "לא נמצאה מדיה.",
"media_panel.title": "מדיה", "media_panel.title": "מדיה",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "הזן את הסיסמא הנוכחית שלך כדי להשבית אימות דו-גורמי:", "mfa.mfa_disable_enter_password": "הזן את הסיסמא הנוכחית שלך כדי להשבית אימות דו-גורמי:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "סיסמא נוכחית", "migration.fields.confirm_password.label": "סיסמא נוכחית",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "העברת חשבון נכשלה.", "migration.move_account.fail": "העברת חשבון נכשלה.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "חשבון הועבר בהצלחה.", "migration.move_account.success": "חשבון הועבר בהצלחה.",
"migration.submit": "העבר עוקבים", "migration.submit": "העבר עוקבים",
"missing_description_modal.cancel": "בטל", "missing_description_modal.cancel": "בטל",
@ -671,23 +696,32 @@
"missing_description_modal.text": "לא הזנת תיאור עבור כל הקבצים המצורפים.", "missing_description_modal.text": "לא הזנת תיאור עבור כל הקבצים המצורפים.",
"missing_indicator.label": "לא נמצא", "missing_indicator.label": "לא נמצא",
"missing_indicator.sublabel": "משאב זה לא נמצא", "missing_indicator.sublabel": "משאב זה לא נמצא",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "ו-{count} עוד {count, plural, one {עוקב} other {עוקבים}} באתרים מרוחקים.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "ו-{count} עוד {count, plural, one {מעקב} other {מעקבים}} באתרים מרוחקים.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "להסתיר הודעות מחשבון זה?", "mute_modal.hide_notifications": "להסתיר הודעות מחשבון זה?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "צ'אטים", "navigation.chats": "צ'אטים",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "לוח מחוונים", "navigation.dashboard": "לוח מחוונים",
"navigation.developers": "מפתחים", "navigation.developers": "מפתחים",
"navigation.direct_messages": "הודעות", "navigation.direct_messages": "הודעות",
"navigation.home": "בית", "navigation.home": "בית",
"navigation.invites": "הזמנות",
"navigation.notifications": "התראות", "navigation.notifications": "התראות",
"navigation.search": "חיפוש", "navigation.search": "חיפוש",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "חסימות", "navigation_bar.blocks": "חסימות",
"navigation_bar.compose": "כתוב פוסט חדש", "navigation_bar.compose": "כתוב פוסט חדש",
"navigation_bar.compose_direct": "הודעה ישירה", "navigation_bar.compose_direct": "הודעה ישירה",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "השב לפוסט", "navigation_bar.compose_reply": "השב לפוסט",
"navigation_bar.domain_blocks": "דומיינים נסתרים", "navigation_bar.domain_blocks": "דומיינים נסתרים",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "השתקות", "navigation_bar.mutes": "השתקות",
"navigation_bar.preferences": "העדפות", "navigation_bar.preferences": "העדפות",
"navigation_bar.profile_directory": "ספריית פרופילים", "navigation_bar.profile_directory": "ספריית פרופילים",
"navigation_bar.security": "אבטחה",
"navigation_bar.soapbox_config": "תצורת סבוניה", "navigation_bar.soapbox_config": "תצורת סבוניה",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} שלח לך הודעה",
"notification.favourite": "הפוסט שלך חובב על ידי {name}", "notification.favourite": "הפוסט שלך חובב על ידי {name}",
"notification.follow": "{name} במעקב אחרייך", "notification.follow": "{name} במעקב אחרייך",
"notification.follow_request": "{name} ביקש לעקוב אחריך", "notification.follow_request": "{name} ביקש לעקוב אחריך",
"notification.mention": "אוזכרת על ידי {name}", "notification.mention": "אוזכרת על ידי {name}",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} הועבר אל {targetName}", "notification.move": "{name} הועבר אל {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} שלח לך הודעה",
"notification.pleroma:emoji_reaction": "{name} הגיב לפוסט שלך", "notification.pleroma:emoji_reaction": "{name} הגיב לפוסט שלך",
"notification.poll": "סקר שהצבעת בו הסתיים", "notification.poll": "סקר שהצבעת בו הסתיים",
"notification.reblog": "הפוסט שלך הודהד על ידי {name}", "notification.reblog": "הפוסט שלך הודהד על ידי {name}",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "הסרת התראות", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "להסיר את כל ההתראות? בטוח?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "התראות לשולחן העבודה",
"notifications.column_settings.birthdays.category": "ימי הולדת",
"notifications.column_settings.birthdays.show": "הראה תזכורות לימי הולדת",
"notifications.column_settings.emoji_react": "הגבות אימוג'י:",
"notifications.column_settings.favourite": "מחובבים:",
"notifications.column_settings.filter_bar.advanced": "הצג את כל הקטגוריות",
"notifications.column_settings.filter_bar.category": "סרגל סינון מהיר",
"notifications.column_settings.filter_bar.show": "הראה",
"notifications.column_settings.follow": "עוקבים חדשים:",
"notifications.column_settings.follow_request": "בקשות מעקב חדשות:",
"notifications.column_settings.mention": "פניות:",
"notifications.column_settings.move": "מעברים:",
"notifications.column_settings.poll": "תוצאות סקרים:",
"notifications.column_settings.push": "הודעות בדחיפה",
"notifications.column_settings.reblog": "הדהודים:",
"notifications.column_settings.show": "הצגה בטור",
"notifications.column_settings.sound": "שמע מופעל",
"notifications.column_settings.sounds": "צלילים",
"notifications.column_settings.sounds.all_sounds": "הפעל צליל עבור כל ההתראות",
"notifications.column_settings.title": "הגדרות התראות",
"notifications.filter.all": "הכל", "notifications.filter.all": "הכל",
"notifications.filter.boosts": "הדהודים", "notifications.filter.boosts": "הדהודים",
"notifications.filter.emoji_reacts": "תגובות אימוג'י", "notifications.filter.emoji_reacts": "תגובות אימוג'י",
"notifications.filter.favourites": "לייקים", "notifications.filter.favourites": "לייקים",
"notifications.filter.follows": "מעקבים", "notifications.filter.follows": "מעקבים",
"notifications.filter.mentions": "אזכורים", "notifications.filter.mentions": "אזכורים",
"notifications.filter.moves": "מעברים",
"notifications.filter.polls": "תוצאות סקרים", "notifications.filter.polls": "תוצאות סקרים",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} התראות", "notifications.group": "{count} התראות",
"notifications.queue_label": "לחץ כדי לראות {count} חדשות {count, plural, one {התראה} other {התראות}}", "notifications.queue_label": "לחץ כדי לראות {count} חדשות {count, plural, one {התראה} other {התראות}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "בדוק את האימייל שלך לאישור.", "password_reset.confirmation": "בדוק את האימייל שלך לאישור.",
"password_reset.fields.username_placeholder": "אימייל או שם משתמש", "password_reset.fields.username_placeholder": "אימייל או שם משתמש",
"password_reset.header": "Reset Password",
"password_reset.reset": "אפס סיסמא", "password_reset.reset": "אפס סיסמא",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "אין נעוצים להראות.", "pinned_statuses.none": "אין נעוצים להראות.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "סגור", "poll.closed": "סגור",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "רענן", "poll.refresh": "רענן",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# הצבעה} other {# הצבעות}}", "poll.total_votes": "{count, plural, one {# הצבעה} other {# הצבעות}}",
"poll.vote": "הצבע", "poll.vote": "הצבע",
"poll.voted": "הצבעת בעד התשובה הזו", "poll.voted": "הצבעת בעד התשובה הזו",
"poll.votes": "{votes, plural, one {# הצבעה} other {# הצבעות}}", "poll.votes": "{votes, plural, one {# הצבעה} other {# הצבעות}}",
"poll_button.add_poll": "הוסף סקר", "poll_button.add_poll": "הוסף סקר",
"poll_button.remove_poll": "הסר סקר", "poll_button.remove_poll": "הסר סקר",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "הפעל אוטומטית קובצי GIF מונפשים", "preferences.fields.auto_play_gif_label": "הפעל אוטומטית קובצי GIF מונפשים",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "טען אוטומטית יותר פריטים כאשר אתה מגיע לתחתית העמוד", "preferences.fields.autoload_more_label": "טען אוטומטית יותר פריטים כאשר אתה מגיע לתחתית העמוד",
"preferences.fields.autoload_timelines_label": "טען אוטומטית פוסטים חדשים לאחר גלילה לראש העמוד", "preferences.fields.autoload_timelines_label": "טען אוטומטית פוסטים חדשים לאחר גלילה לראש העמוד",
"preferences.fields.boost_modal_label": "הצג תיבת אישור לפני הדהוד", "preferences.fields.boost_modal_label": "הצג תיבת אישור לפני הדהוד",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "הצג תיבת אישור לפני מחיקת פוסט", "preferences.fields.delete_modal_label": "הצג תיבת אישור לפני מחיקת פוסט",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "הסתר מדיה שסומנה כרגישה", "preferences.fields.display_media.default": "הסתר מדיה שסומנה כרגישה",
"preferences.fields.display_media.hide_all": "תמיד הסתר מדיה", "preferences.fields.display_media.hide_all": "תמיד הסתר מדיה",
"preferences.fields.display_media.show_all": "תמיד הצג מדיה", "preferences.fields.display_media.show_all": "תמיד הצג מדיה",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "הרחב תמיד פוסטים המסומנים באזהרות תוכן", "preferences.fields.expand_spoilers_label": "הרחב תמיד פוסטים המסומנים באזהרות תוכן",
"preferences.fields.language_label": "שפה", "preferences.fields.language_label": "שפה",
"preferences.fields.media_display_label": "תצוגת מדיה", "preferences.fields.media_display_label": "תצוגת מדיה",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "שינוי פרטיות ההודעה", "privacy.change": "שינוי פרטיות ההודעה",
"privacy.direct.long": "הצג רק למי שהודעה זו פונה אליו", "privacy.direct.long": "הצג רק למי שהודעה זו פונה אליו",
"privacy.direct.short": "הודעה ישירה", "privacy.direct.short": "הודעה ישירה",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "לא לפיד הכללי", "privacy.unlisted.short": "לא לפיד הכללי",
"profile_dropdown.add_account": "הוסף חשבון קיים", "profile_dropdown.add_account": "הוסף חשבון קיים",
"profile_dropdown.logout": "התנתק מ-{account}", "profile_dropdown.logout": "התנתק מ-{account}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "הגדרות ציר הזמן של Fediverse",
"reactions.all": "הכל", "reactions.all": "הכל",
"regeneration_indicator.label": "טוען...", "regeneration_indicator.label": "טוען...",
"regeneration_indicator.sublabel": "הפיד הביתי שלך נמצא בהכנה!", "regeneration_indicator.sublabel": "הפיד הביתי שלך נמצא בהכנה!",
"register_invite.lead": "מלא את הטופס למטה כדי ליצור חשבון.", "register_invite.lead": "מלא את הטופס למטה כדי ליצור חשבון.",
"register_invite.title": "הוזמנת להצטרף ל-{siteTitle}!", "register_invite.title": "הוזמנת להצטרף ל-{siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "אני מסכים ל-{tos}.", "registration.agreement": "אני מסכים ל-{tos}.",
"registration.captcha.hint": "לחץ על התמונה כדי לקבל captcha חדש", "registration.captcha.hint": "לחץ על התמונה כדי לקבל captcha חדש",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} אינו מקבל חברים חדשים", "registration.closed_message": "{instance} אינו מקבל חברים חדשים",
"registration.closed_title": "ההרשמות סגורות", "registration.closed_title": "ההרשמות סגורות",
"registration.confirmation_modal.close": "סגור", "registration.confirmation_modal.close": "סגור",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "סיסמא", "registration.fields.password_placeholder": "סיסמא",
"registration.fields.username_hint": "רק אותיות, מספרים וקווים תחתונים מותרים.", "registration.fields.username_hint": "רק אותיות, מספרים וקווים תחתונים מותרים.",
"registration.fields.username_placeholder": "שם משתמש", "registration.fields.username_placeholder": "שם משתמש",
"registration.header": "Register your account",
"registration.newsletter": "הירשם לעדכונים.", "registration.newsletter": "הירשם לעדכונים.",
"registration.password_mismatch": "הסיסמאות אינן תואמות.", "registration.password_mismatch": "הסיסמאות אינן תואמות.",
"registration.privacy": "Privacy Policy",
"registration.reason": "למה אתה רוצה להצטרף?", "registration.reason": "למה אתה רוצה להצטרף?",
"registration.reason_hint": "זה יעזור לנו לבדוק את הבקשה שלך", "registration.reason_hint": "זה יעזור לנו לבדוק את הבקשה שלך",
"registration.sign_up": "הירשם", "registration.sign_up": "הירשם",
"registration.tos": "תנאי השירות", "registration.tos": "תנאי השירות",
"registration.username_unavailable": "שם המשתמש תפוס.", "registration.username_unavailable": "שם המשתמש תפוס.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "ימים {number}", "relative_time.days": "ימים {number}",
"relative_time.hours": "שעות {number}", "relative_time.hours": "שעות {number}",
"relative_time.just_now": "כרגע", "relative_time.just_now": "כרגע",
@ -861,16 +924,32 @@
"reply_mentions.account.remove": "הסר מהאזכורים", "reply_mentions.account.remove": "הסר מהאזכורים",
"reply_mentions.more": "{count} עוד", "reply_mentions.more": "{count} עוד",
"reply_mentions.reply": "<hover>משיב ל-</hover>{accounts}", "reply_mentions.reply": "<hover>משיב ל-</hover>{accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "משיב לפוסט", "reply_mentions.reply_empty": "משיב לפוסט",
"report.block": "חסום {target}", "report.block": "חסום {target}",
"report.block_hint": "האם גם אתה רוצה לחסום את החשבון הזה?", "report.block_hint": "האם גם אתה רוצה לחסום את החשבון הזה?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "העבר אל {target}", "report.forward": "העבר אל {target}",
"report.forward_hint": "החשבון הוא משרת אחר. לשלוח עותק של הדוח גם לשם?", "report.forward_hint": "החשבון הוא משרת אחר. לשלוח עותק של הדוח גם לשם?",
"report.hint": "הדוח יישלח למנהלי השרת שלך. תוכל לספק הסבר מדוע אתה מדווח על חשבון זה למטה:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "הערות נוספות", "report.placeholder": "הערות נוספות",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "שליחה", "report.submit": "שליחה",
"report.target": "דיווח", "report.target": "דיווח",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "פרסום תאריך/שעה", "schedule.post_time": "פרסום תאריך/שעה",
"schedule.remove": "הסר תזמון", "schedule.remove": "הסר תזמון",
"schedule_button.add_schedule": "תזמן פוסט מאוחר יותר", "schedule_button.add_schedule": "תזמן פוסט מאוחר יותר",
@ -879,15 +958,14 @@
"search.action": "חפש “{query}”", "search.action": "חפש “{query}”",
"search.placeholder": "חיפוש", "search.placeholder": "חיפוש",
"search_results.accounts": "אנשים", "search_results.accounts": "אנשים",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "האשטאגס", "search_results.hashtags": "האשטאגס",
"search_results.statuses": "פוסטים", "search_results.statuses": "פוסטים",
"search_results.top": "עליון",
"security.codes.fail": "אחזור קודי גיבוי נכשל", "security.codes.fail": "אחזור קודי גיבוי נכשל",
"security.confirm.fail": "קוד או סיסמא שגויים. נסה שוב.", "security.confirm.fail": "קוד או סיסמא שגויים. נסה שוב.",
"security.delete_account.fail": "מחיקת החשבון נכשלה.", "security.delete_account.fail": "מחיקת החשבון נכשלה.",
"security.delete_account.success": "החשבון נמחק בהצלחה.", "security.delete_account.success": "החשבון נמחק בהצלחה.",
"security.disable.fail": "סיסמא שגויה. נסה שוב.", "security.disable.fail": "סיסמא שגויה. נסה שוב.",
"security.disable_mfa": "השבת",
"security.fields.email.label": "אימייל", "security.fields.email.label": "אימייל",
"security.fields.new_password.label": "סיסמא חדשה", "security.fields.new_password.label": "סיסמא חדשה",
"security.fields.old_password.label": "סיסמא נוכחית", "security.fields.old_password.label": "סיסמא נוכחית",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "סיסמא חדשה (שוב)", "security.fields.password_confirmation.label": "סיסמא חדשה (שוב)",
"security.headers.delete": "מחק חשבון", "security.headers.delete": "מחק חשבון",
"security.headers.tokens": "הפעלות", "security.headers.tokens": "הפעלות",
"security.headers.update_email": "שנה אימייל",
"security.headers.update_password": "שנה סיסמא",
"security.mfa": "הגדר אימות דו-גורמי",
"security.mfa_enabled": "הגדרת אימות מרובה גורמים עם OTP.",
"security.mfa_header": "שיטות הרשאה",
"security.mfa_setup_hint": "הגדר אימות רב-גורמי עם OTP",
"security.qr.fail": "אחזור מפתח ההגדרה נכשל", "security.qr.fail": "אחזור מפתח ההגדרה נכשל",
"security.submit": "שמור שינויים", "security.submit": "שמור שינויים",
"security.submit.delete": "מחק חשבון", "security.submit.delete": "מחק חשבון",
"security.text.delete": "כדי למחוק את חשבונך, הזן את הסיסמה שלך ולאחר מכן לחץ על מחק חשבון. זוהי פעולה קבועה שלא ניתן לבטלה. החשבון שלך יושמד מהשרת הזה, ובקשת מחיקה תישלח לשרתים אחרים. לא מובטח שכל השרתים ינקו את חשבונך.", "security.text.delete": "כדי למחוק את חשבונך, הזן את הסיסמה שלך ולאחר מכן לחץ על מחק חשבון. זוהי פעולה קבועה שלא ניתן לבטלה. החשבון שלך יושמד מהשרת הזה, ובקשת מחיקה תישלח לשרתים אחרים. לא מובטח שכל השרתים ינקו את חשבונך.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "בטל", "security.tokens.revoke": "בטל",
"security.update_email.fail": "עדכון האימייל נכשל.", "security.update_email.fail": "עדכון האימייל נכשל.",
"security.update_email.success": "האימייל עודכן בהצלחה.", "security.update_email.success": "האימייל עודכן בהצלחה.",
"security.update_password.fail": "עדכון הסיסמא נכשל.", "security.update_password.fail": "עדכון הסיסמא נכשל.",
"security.update_password.success": "הסיסמה עודכנה בהצלחה.", "security.update_password.success": "הסיסמה עודכנה בהצלחה.",
"settings.account_migration": "Move Account",
"settings.change_email": "שנה אימייל", "settings.change_email": "שנה אימייל",
"settings.change_password": "שנה סיסמא", "settings.change_password": "שנה סיסמא",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "מחק חשבון", "settings.delete_account": "מחק חשבון",
"settings.edit_profile": "ערוך פרופיל", "settings.edit_profile": "ערוך פרופיל",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "פרופיל", "settings.profile": "פרופיל",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "הגדרות", "settings.settings": "הגדרות",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "הירשם כעת כדי לדון.", "signup_panel.subtitle": "הירשם כעת כדי לדון.",
"signup_panel.title": "חדש ל{site_title}?", "signup_panel.title": "חדש ל{site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "משתמשים חייבים להיות מחוברים כדי לראות תגובות ומדיה בפרופילי משתמש.", "soapbox_config.authenticated_profile_hint": "משתמשים חייבים להיות מחוברים כדי לראות תגובות ומדיה בפרופילי משתמש.",
"soapbox_config.authenticated_profile_label": "פרופילים שדורשים אימות", "soapbox_config.authenticated_profile_label": "פרופילים שדורשים אימות",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "הערה (אפשרי)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "הערה (אפשרי)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "טיקר", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "טיקר",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "מספר הפריטים להצגה בווידג'ט דף הבית של קריפטו", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "מספר הפריטים להצגה בווידג'ט דף הבית של קריפטו",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "הצג דומיין (למשל @user@domain) עבור חשבונות מקומיים.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "צבע מותג", "soapbox_config.fields.brand_color_label": "צבע מותג",
"soapbox_config.fields.crypto_address.add": "הוסף כתובת קריפטו חדשה",
"soapbox_config.fields.crypto_addresses_label": "כתובות של מטבעות קריפטוגרפיים", "soapbox_config.fields.crypto_addresses_label": "כתובות של מטבעות קריפטוגרפיים",
"soapbox_config.fields.home_footer.add": "הוסף פריט כותרת תחתונה חדש לבית",
"soapbox_config.fields.home_footer_fields_label": "פריטי כותרת תחתונה של הבית", "soapbox_config.fields.home_footer_fields_label": "פריטי כותרת תחתונה של הבית",
"soapbox_config.fields.logo_label": "לוגו", "soapbox_config.fields.logo_label": "לוגו",
"soapbox_config.fields.promo_panel.add": "הוסף פריטי פאנל פרומו חדשים",
"soapbox_config.fields.promo_panel_fields_label": "פריטי פאנל לפרומו", "soapbox_config.fields.promo_panel_fields_label": "פריטי פאנל לפרומו",
"soapbox_config.fields.theme_label": "ערכת נושא המוגדרת כברירת מחדל", "soapbox_config.fields.theme_label": "ערכת נושא המוגדרת כברירת מחדל",
"soapbox_config.greentext_label": "אפשר תמיכה ב-greentext", "soapbox_config.greentext_label": "אפשר תמיכה ב-greentext",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "הוסף כתובות של מטבעות קריפטוגרפיים כדי שמשתמשי האתר שלך יוכלו לתרום לך. יש חשיבות לסדר, ועליך להשתמש בערכי טיקרים קטנים.", "soapbox_config.hints.crypto_addresses": "הוסף כתובות של מטבעות קריפטוגרפיים כדי שמשתמשי האתר שלך יוכלו לתרום לך. יש חשיבות לסדר, ועליך להשתמש בערכי טיקרים קטנים.",
"soapbox_config.hints.home_footer_fields": "אתה יכול להציג קישורים מוגדרים בהתאמה אישית בכותרת התחתונה של הדפים הסטטיים שלך", "soapbox_config.hints.home_footer_fields": "אתה יכול להציג קישורים מוגדרים בהתאמה אישית בכותרת התחתונה של הדפים הסטטיים שלך",
"soapbox_config.hints.logo": "SVG. לכל היותר 2 מגה-בייט. יוצג בגובה של 50 פיקסלים, תוך שמירה על יחס רוחב-גובה", "soapbox_config.hints.logo": "SVG. לכל היותר 2 מגה-בייט. יוצג בגובה של 50 פיקסלים, תוך שמירה על יחס רוחב-גובה",
"soapbox_config.hints.promo_panel_fields": "אתה יכול להציג קישורים מוגדרים בהתאמה אישית בחלונית לצד דף ציר הזמן.", "soapbox_config.hints.promo_panel_fields": "אתה יכול להציג קישורים מוגדרים בהתאמה אישית בחלונית לצד דף ציר הזמן.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "רשימת אייקוני סבוניה", "soapbox_config.hints.promo_panel_icons.link": "רשימת אייקוני סבוניה",
"soapbox_config.home_footer.meta_fields.label_placeholder": "תווית", "soapbox_config.home_footer.meta_fields.label_placeholder": "תווית",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "אפשר למשתמשים מאומתים לערוך את שם התצוגה שלהם.", "soapbox_config.verified_can_edit_name_label": "אפשר למשתמשים מאומתים לערוך את שם התצוגה שלהם.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "פתח ממשק ניהול ל@{name}", "status.admin_account": "פתח ממשק ניהול ל@{name}",
"status.admin_status": "פתח את הפוסט הזה בממשק הניהול", "status.admin_status": "פתח את הפוסט הזה בממשק הניהול",
"status.block": "חסום @{name}",
"status.bookmark": "סימניה", "status.bookmark": "סימניה",
"status.bookmarked": "סימניה נוספה.", "status.bookmarked": "סימניה נוספה.",
"status.cancel_reblog_private": "הסר הדהוד", "status.cancel_reblog_private": "הסר הדהוד",
@ -976,14 +1075,16 @@
"status.delete": "מחיקה", "status.delete": "מחיקה",
"status.detailed_status": "תצוגת שיחה מפורטת", "status.detailed_status": "תצוגת שיחה מפורטת",
"status.direct": "הודעה ישירה @{name}", "status.direct": "הודעה ישירה @{name}",
"status.edit": "Edit",
"status.embed": "הטמעה", "status.embed": "הטמעה",
"status.external": "View post on {domain}",
"status.favourite": "חיבוב", "status.favourite": "חיבוב",
"status.filtered": "מסונן", "status.filtered": "מסונן",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "עוד", "status.load_more": "עוד",
"status.media_hidden": "מדיה מוסתרת",
"status.mention": "פניה אל @{name}", "status.mention": "פניה אל @{name}",
"status.more": "עוד", "status.more": "עוד",
"status.mute": "השתק @{name}",
"status.mute_conversation": "השתקת שיחה", "status.mute_conversation": "השתקת שיחה",
"status.open": "הרחבת הודעה", "status.open": "הרחבת הודעה",
"status.pin": "לקבע באודות", "status.pin": "לקבע באודות",
@ -996,7 +1097,6 @@
"status.reactions.like": "לייק", "status.reactions.like": "לייק",
"status.reactions.open_mouth": "ואו!", "status.reactions.open_mouth": "ואו!",
"status.reactions.weary": "מיוגע", "status.reactions.weary": "מיוגע",
"status.reactions_expand": "בחר אימוג'י",
"status.read_more": "קרא עוד", "status.read_more": "קרא עוד",
"status.reblog": "הדהוד", "status.reblog": "הדהוד",
"status.reblog_private": "הדהוד לקהל המקורי", "status.reblog_private": "הדהוד לקהל המקורי",
@ -1009,13 +1109,15 @@
"status.replyAll": "תגובה לכולם", "status.replyAll": "תגובה לכולם",
"status.report": "דיווח על @{name}", "status.report": "דיווח על @{name}",
"status.sensitive_warning": "תוכן רגיש", "status.sensitive_warning": "תוכן רגיש",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "שיתוף", "status.share": "שיתוף",
"status.show_less": "הראה פחות",
"status.show_less_all": "הצג פחות לכולם", "status.show_less_all": "הצג פחות לכולם",
"status.show_more": "הראה יותר",
"status.show_more_all": "הראה יותר לכולם", "status.show_more_all": "הראה יותר לכולם",
"status.show_original": "Show original",
"status.title": "פוסט", "status.title": "פוסט",
"status.title_direct": "הודעה ישירה", "status.title_direct": "הודעה ישירה",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "הסר סימניה", "status.unbookmark": "הסר סימניה",
"status.unbookmarked": "סימניה הוסרה.", "status.unbookmarked": "סימניה הוסרה.",
"status.unmute_conversation": "הסרת השתקת שיחה", "status.unmute_conversation": "הסרת השתקת שיחה",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "לחץ כדי לראות {count} חדשים {count, plural, one {פוסט} other {פוסטים}}", "status_list.queue_label": "לחץ כדי לראות {count} חדשים {count, plural, one {פוסט} other {פוסטים}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "פוסט אחד או יותר אינו זמין.", "statuses.tombstone": "פוסט אחד או יותר אינו זמין.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "דחה את ההצעה", "suggestions.dismiss": "דחה את ההצעה",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "הכל", "tabs_bar.all": "הכל",
"tabs_bar.chats": "צ'אטים", "tabs_bar.chats": "צ'אטים",
"tabs_bar.dashboard": "לוח מחוונים", "tabs_bar.dashboard": "לוח מחוונים",
"tabs_bar.fediverse": "פדרציה", "tabs_bar.fediverse": "פדרציה",
"tabs_bar.home": "בית", "tabs_bar.home": "בית",
"tabs_bar.local": "Local",
"tabs_bar.more": "עוד", "tabs_bar.more": "עוד",
"tabs_bar.notifications": "התראות", "tabs_bar.notifications": "התראות",
"tabs_bar.post": "פוסט",
"tabs_bar.profile": "פרופיל", "tabs_bar.profile": "פרופיל",
"tabs_bar.search": "חיפוש", "tabs_bar.search": "חיפוש",
"tabs_bar.settings": "הגדרות", "tabs_bar.settings": "הגדרות",
"tabs_bar.theme_toggle_dark": "עבור לערכת נושא כהה", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "עבור לערכת נושא בהירה", "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",
"time_remaining.days": "{number, plural, one {# יום} other {# ימים}} נותרו", "time_remaining.days": "{number, plural, one {# יום} other {# ימים}} נותרו",
"time_remaining.hours": "{number, plural, one {# שעה} other {# שעות}} נותרו", "time_remaining.hours": "{number, plural, one {# שעה} other {# שעות}} נותרו",
"time_remaining.minutes": "{number, plural, one {# דקה} other {# דקות}} נותרו", "time_remaining.minutes": "{number, plural, one {# דקה} other {# דקות}} נותרו",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# שנייה} other {# שניות}} נותרו", "time_remaining.seconds": "{number, plural, one {# שנייה} other {# שניות}} נותרו",
"trends.count_by_accounts": "{count} {rawCount, plural, one {אדם} other {אנשים}} מדברים", "trends.count_by_accounts": "{count} {rawCount, plural, one {אדם} other {אנשים}} מדברים",
"trends.title": "טרנדים", "trends.title": "טרנדים",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "הטיוטא תאבד אם תעזבו את סבוניה.", "ui.beforeunload": "הטיוטא תאבד אם תעזבו את סבוניה.",
"unauthorized_modal.text": "אתה צריך להיות מחובר כדי לעשות זאת.", "unauthorized_modal.text": "אתה צריך להיות מחובר כדי לעשות זאת.",
"unauthorized_modal.title": "להירשם ל{site_title}", "unauthorized_modal.title": "להירשם ל{site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "חרגת ממגבלת העלאת הקבצים.", "upload_error.limit": "חרגת ממגבלת העלאת הקבצים.",
"upload_error.poll": "העלאת קבצים אסורה ביחד עם סקרים.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "תיאור לכבדי ראיה", "upload_form.description": "תיאור לכבדי ראיה",
"upload_form.preview": "תצוגה מקדימה", "upload_form.preview": "תצוגה מקדימה",
@ -1067,5 +1188,7 @@
"video.pause": "השהיה", "video.pause": "השהיה",
"video.play": "ניגון", "video.play": "ניגון",
"video.unmute": "החזרת צליל", "video.unmute": "החזרת צליל",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "מי לעקוב" "who_to_follow.title": "מי לעקוב"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Hide everything from {domain}", "account.block_domain": "Hide everything from {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct message @{name}", "account.direct": "Direct message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Edit profile", "account.edit_profile": "Edit profile",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Follow", "account.follow": "Follow",
"account.followers": "Followers", "account.followers": "Followers",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Follows", "account.follows": "Follows",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Follows you", "account.follows_you": "Follows you",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mention", "account.mention": "Mention",
"account.moved_to": "{name} has moved to:",
"account.mute": "Mute @{name}", "account.mute": "Mute @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Posts and replies", "account.posts_with_replies": "Posts and replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Report @{name}", "account.report": "Report @{name}",
"account.requested": "Awaiting approval. Click to cancel follow request", "account.requested": "Awaiting approval. Click to cancel follow request",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Unblock @{name}", "account.unblock": "Unblock @{name}",
"account.unblock_domain": "Unhide {domain}", "account.unblock_domain": "Unhide {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Unfollow", "account.unfollow": "Unfollow",
"account.unmute": "Unmute @{name}", "account.unmute": "Unmute @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "You can press {combo} to skip this next time", "boost_modal.combo": "You can press {combo} to skip this next time",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Local timeline", "column.community": "Local timeline",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Follow requests", "column.follow_requests": "Follow requests",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Home", "column.home": "Home",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Back", "column_back_button.label": "Back",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media Only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This toot will only be sent to all the mentioned users.", "compose_form.direct_message_warning": "This toot will only be sent to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "What is on your mind?", "compose_form.placeholder": "What is on your mind?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Write your warning here", "compose_form.spoiler_placeholder": "Write your warning here",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "There is nothing in this hashtag yet.", "empty_column.hashtag": "There is nothing in this hashtag yet.",
"empty_column.home": "Or you can visit {public} to get started and meet other users.", "empty_column.home": "Or you can visit {public} to get started and meet other users.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.", "empty_column.list": "There is nothing in this list yet. When members of this list create new posts, they will appear here.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.", "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up", "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Authorize", "follow_request.authorize": "Authorize",
"follow_request.reject": "Reject", "follow_request.reject": "Reject",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} is open source software. You can contribute or report issues at {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} is open source software. You can contribute or report issues at {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Show reposts", "home.column_settings.show_reblogs": "Show reposts",
"home.column_settings.show_replies": "Show replies", "home.column_settings.show_replies": "Show replies",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Hide", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Not found", "missing_indicator.label": "Not found",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blocked users", "navigation_bar.blocks": "Blocked users",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Muted users", "navigation_bar.mutes": "Muted users",
"navigation_bar.preferences": "Preferences", "navigation_bar.preferences": "Preferences",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favorited your post", "notification.favourite": "{name} favorited your post",
"notification.follow": "{name} followed you", "notification.follow": "{name} followed you",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mentioned you", "notification.mention": "{name} mentioned you",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} reposted your post", "notification.reblog": "{name} reposted your post",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Clear notifications", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Desktop notifications",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favorites:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "New followers:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mentions:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Reposts:",
"notifications.column_settings.show": "Show in column",
"notifications.column_settings.sound": "Play sound",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Adjust post privacy", "privacy.change": "Adjust post privacy",
"privacy.direct.long": "Post to mentioned users only", "privacy.direct.long": "Post to mentioned users only",
"privacy.direct.short": "Direct", "privacy.direct.short": "Direct",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Cancel", "reply_indicator.cancel": "Cancel",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your server moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Additional comments", "report.placeholder": "Additional comments",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Submit", "report.submit": "Submit",
"report.target": "Report {target}", "report.target": "Report {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Delete", "status.delete": "Delete",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Favorite", "status.favourite": "Favorite",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Load more", "status.load_more": "Load more",
"status.media_hidden": "Media hidden",
"status.mention": "Mention @{name}", "status.mention": "Mention @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Expand this post", "status.open": "Expand this post",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Reply to thread", "status.replyAll": "Reply to thread",
"status.report": "Report @{name}", "status.report": "Report @{name}",
"status.sensitive_warning": "Sensitive content", "status.sensitive_warning": "Sensitive content",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Show less",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Show more",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Home", "tabs_bar.home": "Home",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifications", "tabs_bar.notifications": "Notifications",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Sakrij sve sa {domain}", "account.block_domain": "Sakrij sve sa {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct Message @{name}", "account.direct": "Direct Message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Uredi profil", "account.edit_profile": "Uredi profil",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Slijedi", "account.follow": "Slijedi",
"account.followers": "Sljedbenici", "account.followers": "Sljedbenici",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Slijedi", "account.follows": "Slijedi",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "te slijedi", "account.follows_you": "te slijedi",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Spomeni", "account.mention": "Spomeni",
"account.moved_to": "{name} has moved to:",
"account.mute": "Utišaj @{name}", "account.mute": "Utišaj @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Postovi", "account.posts": "Postovi",
"account.posts_with_replies": "Toots with replies", "account.posts_with_replies": "Toots with replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Prijavi @{name}", "account.report": "Prijavi @{name}",
"account.requested": "Čeka pristanak", "account.requested": "Čeka pristanak",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Deblokiraj @{name}", "account.unblock": "Deblokiraj @{name}",
"account.unblock_domain": "Poništi sakrivanje {domain}", "account.unblock_domain": "Poništi sakrivanje {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Prestani slijediti", "account.unfollow": "Prestani slijediti",
"account.unmute": "Poništi utišavanje @{name}", "account.unmute": "Poništi utišavanje @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Možeš pritisnuti {combo} kako bi ovo preskočio sljedeći put", "boost_modal.combo": "Možeš pritisnuti {combo} kako bi ovo preskočio sljedeći put",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Lokalni timeline", "column.community": "Lokalni timeline",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Zahtjevi za slijeđenje", "column.follow_requests": "Zahtjevi za slijeđenje",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Dom", "column.home": "Dom",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Natrag", "column_back_button.label": "Natrag",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media Only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.", "compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Što ti je na umu?", "compose_form.placeholder": "Što ti je na umu?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Upozorenje o sadržaju", "compose_form.spoiler_placeholder": "Upozorenje o sadržaju",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Otkaži", "confirmation_modal.cancel": "Otkaži",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blokiraj", "confirmations.block.confirm": "Blokiraj",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Želiš li sigurno blokirati {name}?", "confirmations.block.message": "Želiš li sigurno blokirati {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Obriši", "confirmations.delete.confirm": "Obriši",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Želiš li stvarno obrisati ovaj status?", "confirmations.delete.message": "Želiš li stvarno obrisati ovaj status?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Aktivnost", "emoji_button.activity": "Aktivnost",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Zastave", "emoji_button.flags": "Zastave",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Još ne postoji ništa s ovim hashtagom.", "empty_column.hashtag": "Još ne postoji ništa s ovim hashtagom.",
"empty_column.home": "Još ne slijediš nikoga. Posjeti {public} ili koristi tražilicu kako bi počeo i upoznao druge korisnike.", "empty_column.home": "Još ne slijediš nikoga. Posjeti {public} ili koristi tražilicu kako bi počeo i upoznao druge korisnike.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet.", "empty_column.list": "There is nothing in this list yet.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "Još nemaš notifikacija. Komuniciraj sa drugima kako bi započeo razgovor.", "empty_column.notifications": "Još nemaš notifikacija. Komuniciraj sa drugima kako bi započeo razgovor.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Ovdje nema ništa! Napiši nešto javno, ili ručno slijedi korisnike sa drugih instanci kako bi popunio", "empty_column.public": "Ovdje nema ništa! Napiši nešto javno, ili ručno slijedi korisnike sa drugih instanci kako bi popunio",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autoriziraj", "follow_request.authorize": "Autoriziraj",
"follow_request.reject": "Odbij", "follow_request.reject": "Odbij",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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š pridonijeti ili prijaviti probleme na GitLabu {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Pokaži boostove", "home.column_settings.show_reblogs": "Pokaži boostove",
"home.column_settings.show_replies": "Pokaži odgovore", "home.column_settings.show_replies": "Pokaži odgovore",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Preklopi vidljivost", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Nije nađen", "missing_indicator.label": "Nije nađen",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokirani korisnici", "navigation_bar.blocks": "Blokirani korisnici",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Utišani korisnici", "navigation_bar.mutes": "Utišani korisnici",
"navigation_bar.preferences": "Postavke", "navigation_bar.preferences": "Postavke",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} je lajkao tvoj status", "notification.favourite": "{name} je lajkao tvoj status",
"notification.follow": "{name} te sada slijedi", "notification.follow": "{name} te sada slijedi",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} te je spomenuo", "notification.mention": "{name} te je spomenuo",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} je podigao tvoj status", "notification.reblog": "{name} je podigao tvoj status",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Očisti notifikacije", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Želiš li zaista obrisati sve svoje notifikacije?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Desktop notifikacije",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favoriti:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "Novi sljedbenici:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Spominjanja:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Boostovi:",
"notifications.column_settings.show": "Prikaži u stupcu",
"notifications.column_settings.sound": "Sviraj zvuk",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Podesi status privatnosti", "privacy.change": "Podesi status privatnosti",
"privacy.direct.long": "Prikaži samo spomenutim korisnicima", "privacy.direct.long": "Prikaži samo spomenutim korisnicima",
"privacy.direct.short": "Direktno", "privacy.direct.short": "Direktno",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Unlisted", "privacy.unlisted.short": "Unlisted",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Otkaži", "reply_indicator.cancel": "Otkaži",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Dodatni komentari", "report.placeholder": "Dodatni komentari",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Pošalji", "report.submit": "Pošalji",
"report.target": "Prijavljivanje", "report.target": "Prijavljivanje",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Traži", "search.placeholder": "Traži",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Obriši", "status.delete": "Obriši",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Označi omiljenim", "status.favourite": "Označi omiljenim",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Učitaj više", "status.load_more": "Učitaj više",
"status.media_hidden": "Sakriven media sadržaj",
"status.mention": "Spomeni @{name}", "status.mention": "Spomeni @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Utišaj razgovor", "status.mute_conversation": "Utišaj razgovor",
"status.open": "Proširi ovaj status", "status.open": "Proširi ovaj status",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Podigni", "status.reblog": "Podigni",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Odgovori na temu", "status.replyAll": "Odgovori na temu",
"status.report": "Prijavi @{name}", "status.report": "Prijavi @{name}",
"status.sensitive_warning": "Osjetljiv sadržaj", "status.sensitive_warning": "Osjetljiv sadržaj",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Pokaži manje",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Pokaži više",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Poništi utišavanje razgovora", "status.unmute_conversation": "Poništi utišavanje razgovora",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Dom", "tabs_bar.home": "Dom",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifikacije", "tabs_bar.notifications": "Notifikacije",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Minden elrejtése innen: {domain}", "account.block_domain": "Minden elrejtése innen: {domain}",
"account.blocked": "Letiltva", "account.blocked": "Letiltva",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Közvetlen üzenet @{name} számára", "account.direct": "Közvetlen üzenet @{name} számára",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Profil szerkesztése", "account.edit_profile": "Profil szerkesztése",
"account.endorse": "Kiemelés a profilodon", "account.endorse": "Kiemelés a profilodon",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Követés", "account.follow": "Követés",
"account.followers": "Követő", "account.followers": "Követő",
"account.followers.empty": "Ezt a felhasználót még senki sem követi.", "account.followers.empty": "Ezt a felhasználót még senki sem követi.",
"account.follows": "Követett", "account.follows": "Követett",
"account.follows.empty": "Ez a felhasználó még senkit sem követ.", "account.follows.empty": "Ez a felhasználó még senkit sem követ.",
"account.follows_you": "Követ téged", "account.follows_you": "Követ téged",
"account.header.alt": "Profile header",
"account.hide_reblogs": "@{name} megtolásainak némítása", "account.hide_reblogs": "@{name} megtolásainak némítása",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "A linket ellenőriztük: {date}", "account.link_verified_on": "A linket ellenőriztük: {date}",
@ -30,36 +34,56 @@
"account.media": "Média", "account.media": "Média",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "említése", "account.mention": "említése",
"account.moved_to": "{name} átköltözött:",
"account.mute": "@{name} némítása", "account.mute": "@{name} némítása",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Tülkölés", "account.posts": "Tülkölés",
"account.posts_with_replies": "Tülkölés válaszokkal", "account.posts_with_replies": "Tülkölés válaszokkal",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "@{name} jelentése", "account.report": "@{name} jelentése",
"account.requested": "Engedélyre vár. Kattints a követési kérés visszavonásához", "account.requested": "Engedélyre vár. Kattints a követési kérés visszavonásához",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "@{name} profiljának megosztása", "account.share": "@{name} profiljának megosztása",
"account.show_reblogs": "@{name} megtolásainak mutatása", "account.show_reblogs": "@{name} megtolásainak mutatása",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "@{name} letiltásának feloldása", "account.unblock": "@{name} letiltásának feloldása",
"account.unblock_domain": "{domain} elrejtésének feloldása", "account.unblock_domain": "{domain} elrejtésének feloldása",
"account.unendorse": "Kiemelés törlése a profilodról", "account.unendorse": "Kiemelés törlése a profilodról",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Követés vége", "account.unfollow": "Követés vége",
"account.unmute": "@{name} némítás feloldása", "account.unmute": "@{name} némítás feloldása",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Hogy átugord ezt következő alkalommal, használd {combo}", "boost_modal.combo": "Hogy átugord ezt következő alkalommal, használd {combo}",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Hiba történt a komponens betöltése közben.", "bundle_column_error.body": "Hiba történt a komponens betöltése közben.",
"bundle_column_error.retry": "Próbáld újra", "bundle_column_error.retry": "Próbáld újra",
"bundle_column_error.title": "Hálózati hiba", "bundle_column_error.title": "Hálózati hiba",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Helyi idővonal", "column.community": "Helyi idővonal",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Közvetlen üzenetek", "column.direct": "Közvetlen üzenetek",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Rejtett domainek", "column.domain_blocks": "Rejtett domainek",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Követési kérelmek", "column.follow_requests": "Követési kérelmek",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Kezdőlap", "column.home": "Kezdőlap",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Vissza", "column_back_button.label": "Vissza",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Beállítások mutatása",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Csak média", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Ezt a tülköt csak a benne megemlített felhasználók láthatják majd.", "compose_form.direct_message_warning": "Ezt a tülköt csak a benne megemlített felhasználók láthatják majd.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Mi jár a fejedben?", "compose_form.placeholder": "Mi jár a fejedben?",
"compose_form.poll.add_option": "Lehetőség hozzáadása", "compose_form.poll.add_option": "Lehetőség hozzáadása",
"compose_form.poll.duration": "Szavazás időtartama", "compose_form.poll.duration": "Szavazás időtartama",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Lehetőség {number}", "compose_form.poll.option_placeholder": "Lehetőség {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Lehetőség törlése", "compose_form.poll.remove_option": "Lehetőség törlése",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Tülk", "compose_form.publish": "Tülk",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Média megjelölése szenzitívként",
"compose_form.sensitive.marked": "A médiát szenzitívnek jelölték",
"compose_form.sensitive.unmarked": "A médiát nem jelölték szenzitívnek",
"compose_form.spoiler.marked": "A szöveg figyelmeztetés mögé van rejtve", "compose_form.spoiler.marked": "A szöveg figyelmeztetés mögé van rejtve",
"compose_form.spoiler.unmarked": "A szöveg nem rejtett", "compose_form.spoiler.unmarked": "A szöveg nem rejtett",
"compose_form.spoiler_placeholder": "Írd ide a figyelmeztetést", "compose_form.spoiler_placeholder": "Írd ide a figyelmeztetést",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Mégse", "confirmation_modal.cancel": "Mégse",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Letiltás", "confirmations.block.confirm": "Letiltás",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Biztos, hogy le szeretnéd tiltani {name}?", "confirmations.block.message": "Biztos, hogy le szeretnéd tiltani {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Törlés", "confirmations.delete.confirm": "Törlés",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Biztos, hogy törölni szeretnéd ezt a tülkölést?", "confirmations.delete.message": "Biztos, hogy törölni szeretnéd ezt a tülkölést?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Válasz", "confirmations.reply.confirm": "Válasz",
"confirmations.reply.message": "Ha most válaszolsz, ez felülírja a most szerkesztés alatt álló üzenetet. Mégis ezt szeretnéd?", "confirmations.reply.message": "Ha most válaszolsz, ez felülírja a most szerkesztés alatt álló üzenetet. Mégis ezt szeretnéd?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Ágyazd be ezt a tülköt a weboldaladba az alábbi kód kimásolásával.", "embed.instructions": "Ágyazd be ezt a tülköt a weboldaladba az alábbi kód kimásolásával.",
"embed.preview": "Így fog kinézni:",
"emoji_button.activity": "Aktivitás", "emoji_button.activity": "Aktivitás",
"emoji_button.custom": "Egyéni", "emoji_button.custom": "Egyéni",
"emoji_button.flags": "Zászlók", "emoji_button.flags": "Zászlók",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Még nincs egy követési kérésed sem. Ha kapsz egyet, itt fogjuk feltüntetni.", "empty_column.follow_requests": "Még nincs egy követési kérésed sem. Ha kapsz egyet, itt fogjuk feltüntetni.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Jelenleg nem található semmi ezzel a hashtaggel.", "empty_column.hashtag": "Jelenleg nem található semmi ezzel a hashtaggel.",
"empty_column.home": "A saját idővonalad üres! Látogasd meg a {public} -at vagy használd a keresőt, hogy megismerj másokat.", "empty_column.home": "A saját idővonalad üres! Látogasd meg a {public} -at vagy használd a keresőt, hogy megismerj másokat.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "A lista jelenleg üres. Ha a listatagok tülkölnek, itt fognak megjelenni.", "empty_column.list": "A lista jelenleg üres. Ha a listatagok tülkölnek, itt fognak megjelenni.",
"empty_column.lists": "Még nem hoztál létre listát. Ha csinálsz egyet, itt látszik majd.", "empty_column.lists": "Még nem hoztál létre listát. Ha csinálsz egyet, itt látszik majd.",
"empty_column.mutes": "Még egy felhasználót sem némítottál le.", "empty_column.mutes": "Még egy felhasználót sem némítottál le.",
"empty_column.notifications": "Jelenleg nincsenek értesítéseid. Lépj kapcsolatba másokkal, hogy elindítsd a beszélgetést.", "empty_column.notifications": "Jelenleg nincsenek értesítéseid. Lépj kapcsolatba másokkal, hogy elindítsd a beszélgetést.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Jelenleg itt nincs semmi! Írj valamit nyilvánosan vagy kövess más szervereken levő felhasználókat, hogy megtöltsd", "empty_column.public": "Jelenleg itt nincs semmi! Írj valamit nyilvánosan vagy kövess más szervereken levő felhasználókat, hogy megtöltsd",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Engedélyezés", "follow_request.authorize": "Engedélyezés",
"follow_request.reject": "Visszautasítás", "follow_request.reject": "Visszautasítás",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "gdpr.message": "{siteTitle} uses session cookies, which are essential to the website's functioning.",
"gdpr.title": "{siteTitle} uses cookies",
"getting_started.open_source_notice": "A {code_name} nyílt forráskódú szoftver. Csatlakozhatsz a fejlesztéshez vagy jelenthetsz problémákat GitLab-on {code_link} (v{code_version}).", "getting_started.open_source_notice": "A {code_name} nyílt forráskódú szoftver. Csatlakozhatsz a fejlesztéshez vagy jelenthetsz problémákat GitLab-on {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "és {additional}", "hashtag.column_header.tag_mode.all": "és {additional}",
"hashtag.column_header.tag_mode.any": "vagy {additional}", "hashtag.column_header.tag_mode.any": "vagy {additional}",
"hashtag.column_header.tag_mode.none": "nélküle {additional}", "hashtag.column_header.tag_mode.none": "nélküle {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Megtolások mutatása", "home.column_settings.show_reblogs": "Megtolások mutatása",
"home.column_settings.show_replies": "Válaszok mutatása", "home.column_settings.show_replies": "Válaszok mutatása",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# nap} other {# nap}}", "intervals.full.days": "{number, plural, one {# nap} other {# nap}}",
"intervals.full.hours": "{number, plural, one {# óra} other {# óra}}", "intervals.full.hours": "{number, plural, one {# óra} other {# óra}}",
"intervals.full.minutes": "{number, plural, one {# perc} other {# perc}}", "intervals.full.minutes": "{number, plural, one {# perc} other {# perc}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "visszafelé navigálás", "keyboard_shortcuts.back": "visszafelé navigálás",
"keyboard_shortcuts.blocked": "letiltott felhasználók listájának megnyitása", "keyboard_shortcuts.blocked": "letiltott felhasználók listájának megnyitása",
"keyboard_shortcuts.boost": "megtolás", "keyboard_shortcuts.boost": "megtolás",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Láthatóság állítása", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Nincs találat", "missing_indicator.label": "Nincs találat",
"missing_indicator.sublabel": "Ez az erőforrás nem található", "missing_indicator.sublabel": "Ez az erőforrás nem található",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Rejtsük el a felhasználótól származó értesítéseket?", "mute_modal.hide_notifications": "Rejtsük el a felhasználótól származó értesítéseket?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Letiltott felhasználók", "navigation_bar.blocks": "Letiltott felhasználók",
"navigation_bar.compose": "Új tülk írása", "navigation_bar.compose": "Új tülk írása",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Rejtett domainek", "navigation_bar.domain_blocks": "Rejtett domainek",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Némított felhasználók", "navigation_bar.mutes": "Némított felhasználók",
"navigation_bar.preferences": "Beállítások", "navigation_bar.preferences": "Beállítások",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Biztonság",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} kedvencnek jelölte egy tülködet", "notification.favourite": "{name} kedvencnek jelölte egy tülködet",
"notification.follow": "{name} követ téged", "notification.follow": "{name} követ téged",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} megemlített", "notification.mention": "{name} megemlített",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Egy szavazás, melyben részt vettél, véget ért", "notification.poll": "Egy szavazás, melyben részt vettél, véget ért",
"notification.reblog": "{name} megtolta a tülködet", "notification.reblog": "{name} megtolta a tülködet",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Értesítések törlése", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Biztos, hogy véglegesen törölni akarod az összes értesítésed?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Asztali értesítések",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Kedvencek:",
"notifications.column_settings.filter_bar.advanced": "Minden kategória mutatása",
"notifications.column_settings.filter_bar.category": "Gyorskereső mező",
"notifications.column_settings.filter_bar.show": "Mutat",
"notifications.column_settings.follow": "Új követők:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Megemlítéseid:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Szavazás eredménye:",
"notifications.column_settings.push": "Push értesítések",
"notifications.column_settings.reblog": "Megtolások:",
"notifications.column_settings.show": "Oszlopban mutatás",
"notifications.column_settings.sound": "Hang lejátszása",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Mind", "notifications.filter.all": "Mind",
"notifications.filter.boosts": "Megtolások", "notifications.filter.boosts": "Megtolások",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Kedvencnek jelölések", "notifications.filter.favourites": "Kedvencnek jelölések",
"notifications.filter.follows": "Követések", "notifications.filter.follows": "Követések",
"notifications.filter.mentions": "Megemlítések", "notifications.filter.mentions": "Megemlítések",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Szavazások eredményei", "notifications.filter.polls": "Szavazások eredményei",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} értesítés", "notifications.group": "{count} értesítés",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Lezárva", "poll.closed": "Lezárva",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Frissítés", "poll.refresh": "Frissítés",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# szavazat} other {# szavazat}}", "poll.total_votes": "{count, plural, one {# szavazat} other {# szavazat}}",
"poll.vote": "Szavazás", "poll.vote": "Szavazás",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Új szavazás", "poll_button.add_poll": "Új szavazás",
"poll_button.remove_poll": "Szavazás törlése", "poll_button.remove_poll": "Szavazás törlése",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Tülk láthatóságának módosítása", "privacy.change": "Tülk láthatóságának módosítása",
"privacy.direct.long": "Tülk csak az említett felhasználóknak", "privacy.direct.long": "Tülk csak az említett felhasználóknak",
"privacy.direct.short": "Közvetlen", "privacy.direct.short": "Közvetlen",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Listázatlan", "privacy.unlisted.short": "Listázatlan",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Töltődik…", "regeneration_indicator.label": "Töltődik…",
"regeneration_indicator.sublabel": "A saját idővonalad épp készül!", "regeneration_indicator.sublabel": "A saját idővonalad épp készül!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}nap", "relative_time.days": "{number}nap",
"relative_time.hours": "{number}ó", "relative_time.hours": "{number}ó",
"relative_time.just_now": "most", "relative_time.just_now": "most",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Mégsem", "reply_indicator.cancel": "Mégsem",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Továbbítás neki {target}", "report.forward": "Továbbítás neki {target}",
"report.forward_hint": "Ez a fiók egy másik szerverről van. Küldjünk oda is egy anonimizált bejelentést?", "report.forward_hint": "Ez a fiók egy másik szerverről van. Küldjünk oda is egy anonimizált bejelentést?",
"report.hint": "A bejelentést a szervered moderátorainak küldjük el. Megmagyarázhatod, miért jelented az alábbi problémát:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "További megjegyzések", "report.placeholder": "További megjegyzések",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Küldés", "report.submit": "Küldés",
"report.target": "{target} jelentése", "report.target": "{target} jelentése",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Keresés", "search.placeholder": "Keresés",
"search_results.accounts": "Emberek", "search_results.accounts": "Emberek",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtagek", "search_results.hashtags": "Hashtagek",
"search_results.statuses": "Tülkök", "search_results.statuses": "Tülkök",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Moderáció megnyitása @{name} felhasználóhoz", "status.admin_account": "Moderáció megnyitása @{name} felhasználóhoz",
"status.admin_status": "Tülk megnyitása moderációra", "status.admin_status": "Tülk megnyitása moderációra",
"status.block": "@{name} letiltása",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Megtolás törlése", "status.cancel_reblog_private": "Megtolás törlése",
@ -976,14 +1075,16 @@
"status.delete": "Törlés", "status.delete": "Törlés",
"status.detailed_status": "Részletes beszélgetési nézet", "status.detailed_status": "Részletes beszélgetési nézet",
"status.direct": "Közvetlen üzenet @{name} számára", "status.direct": "Közvetlen üzenet @{name} számára",
"status.edit": "Edit",
"status.embed": "Beágyazás", "status.embed": "Beágyazás",
"status.external": "View post on {domain}",
"status.favourite": "Kedvenc", "status.favourite": "Kedvenc",
"status.filtered": "Megszűrt", "status.filtered": "Megszűrt",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Többet", "status.load_more": "Többet",
"status.media_hidden": "Média elrejtve",
"status.mention": "@{name} említése", "status.mention": "@{name} említése",
"status.more": "Többet", "status.more": "Többet",
"status.mute": "@{name} némítása",
"status.mute_conversation": "Beszélgetés némítása", "status.mute_conversation": "Beszélgetés némítása",
"status.open": "Tülk kibontása", "status.open": "Tülk kibontása",
"status.pin": "Kitűzés a profilra", "status.pin": "Kitűzés a profilra",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Bővebben", "status.read_more": "Bővebben",
"status.reblog": "Megtolás", "status.reblog": "Megtolás",
"status.reblog_private": "Megtolás az eredeti közönségnek", "status.reblog_private": "Megtolás az eredeti közönségnek",
@ -1009,13 +1109,15 @@
"status.replyAll": "Válasz a beszélgetésre", "status.replyAll": "Válasz a beszélgetésre",
"status.report": "@{name} jelentése", "status.report": "@{name} jelentése",
"status.sensitive_warning": "Szenzitív tartalom", "status.sensitive_warning": "Szenzitív tartalom",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Megosztás", "status.share": "Megosztás",
"status.show_less": "Kevesebbet",
"status.show_less_all": "Kevesebbet mindenhol", "status.show_less_all": "Kevesebbet mindenhol",
"status.show_more": "Többet",
"status.show_more_all": "Többet mindenhol", "status.show_more_all": "Többet mindenhol",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Beszélgetés némításának kikapcsolása", "status.unmute_conversation": "Beszélgetés némításának kikapcsolása",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Javaslat elvetése", "suggestions.dismiss": "Javaslat elvetése",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Saját", "tabs_bar.home": "Saját",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Értesítések", "tabs_bar.notifications": "Értesítések",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Keresés", "tabs_bar.search": "Keresés",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# nap} other {# nap}} van hátra", "time_remaining.days": "{number, plural, one {# nap} other {# nap}} van hátra",
"time_remaining.hours": "{number, plural, one {# óra} other {# óra}} van hátra", "time_remaining.hours": "{number, plural, one {# óra} other {# óra}} van hátra",
"time_remaining.minutes": "{number, plural, one {# perc} other {# perc}} van hátra", "time_remaining.minutes": "{number, plural, one {# perc} other {# perc}} van hátra",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# másodperc} other {# másodperc}} van hátra", "time_remaining.seconds": "{number, plural, one {# másodperc} other {# másodperc}} van hátra",
"trends.count_by_accounts": "{count} {rawCount, plural, one {résztvevő} other {résztvevő}} beszélget", "trends.count_by_accounts": "{count} {rawCount, plural, one {résztvevő} other {résztvevő}} beszélget",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "A piszkozatod el fog veszni, ha elhagyod a Soapbox-t.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Túllépted a fájl feltöltési limitet.", "upload_error.limit": "Túllépted a fájl feltöltési limitet.",
"upload_error.poll": "Szavazásnál nem lehet fájlt feltölteni.", "upload_error.poll": "Szavazásnál nem lehet fájlt feltölteni.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Leírás látáskorlátozottak számára", "upload_form.description": "Leírás látáskorlátozottak számára",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Szünet", "video.pause": "Szünet",
"video.play": "Lejátszás", "video.play": "Lejátszás",
"video.unmute": "Hang némitásának vége", "video.unmute": "Hang némitásának vége",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Թաքցնել ամենը հետեւյալ տիրույթից՝ {domain}", "account.block_domain": "Թաքցնել ամենը հետեւյալ տիրույթից՝ {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct Message @{name}", "account.direct": "Direct Message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Խմբագրել անձնական էջը", "account.edit_profile": "Խմբագրել անձնական էջը",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Հետեւել", "account.follow": "Հետեւել",
"account.followers": "Հետեւողներ", "account.followers": "Հետեւողներ",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Հետեւում է", "account.follows": "Հետեւում է",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Հետեւում է քեզ", "account.follows_you": "Հետեւում է քեզ",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Թաքցնել @{name}֊ի տարածածները", "account.hide_reblogs": "Թաքցնել @{name}֊ի տարածածները",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Մեդիա", "account.media": "Մեդիա",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Նշել", "account.mention": "Նշել",
"account.moved_to": "{name}֊ը տեղափոխվել է՝",
"account.mute": "Լռեցնել @{name}֊ին", "account.mute": "Լռեցնել @{name}֊ին",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Գրառումներ", "account.posts": "Գրառումներ",
"account.posts_with_replies": "Toots with replies", "account.posts_with_replies": "Toots with replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Բողոքել @{name}֊ից", "account.report": "Բողոքել @{name}֊ից",
"account.requested": "Հաստատման կարիք ունի։ Սեղմիր՝ հետեւելու հայցը չեղարկելու համար։", "account.requested": "Հաստատման կարիք ունի։ Սեղմիր՝ հետեւելու հայցը չեղարկելու համար։",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Կիսվել @{name}֊ի էջով", "account.share": "Կիսվել @{name}֊ի էջով",
"account.show_reblogs": "Ցուցադրել @{name}֊ի տարածածները", "account.show_reblogs": "Ցուցադրել @{name}֊ի տարածածները",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Ապաարգելափակել @{name}֊ին", "account.unblock": "Ապաարգելափակել @{name}֊ին",
"account.unblock_domain": "Ցուցադրել {domain} թաքցված տիրույթի գրառումները", "account.unblock_domain": "Ցուցադրել {domain} թաքցված տիրույթի գրառումները",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Չհետեւել", "account.unfollow": "Չհետեւել",
"account.unmute": "Ապալռեցնել @{name}֊ին", "account.unmute": "Ապալռեցնել @{name}֊ին",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Կարող ես սեղմել {combo}՝ սա հաջորդ անգամ բաց թողնելու համար", "boost_modal.combo": "Կարող ես սեղմել {combo}՝ սա հաջորդ անգամ բաց թողնելու համար",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Այս բաղադրիչը բեռնելու ընթացքում ինչ֊որ բան խափանվեց։", "bundle_column_error.body": "Այս բաղադրիչը բեռնելու ընթացքում ինչ֊որ բան խափանվեց։",
"bundle_column_error.retry": "Կրկին փորձել", "bundle_column_error.retry": "Կրկին փորձել",
"bundle_column_error.title": "Ցանցային սխալ", "bundle_column_error.title": "Ցանցային սխալ",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Տեղական հոսք", "column.community": "Տեղական հոսք",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Հետեւելու հայցեր", "column.follow_requests": "Հետեւելու հայցեր",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Հիմնական", "column.home": "Հիմնական",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Ետ", "column_back_button.label": "Ետ",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Ցուցադրել կարգավորումները",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.", "compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Ի՞նչ կա մտքիդ", "compose_form.placeholder": "Ի՞նչ կա մտքիդ",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Թթել", "compose_form.publish": "Թթել",
"compose_form.publish_loud": "Թթե՜լ", "compose_form.publish_loud": "Թթե՜լ",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Գրիր նախազգուշացումդ այստեղ", "compose_form.spoiler_placeholder": "Գրիր նախազգուշացումդ այստեղ",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Չեղարկել", "confirmation_modal.cancel": "Չեղարկել",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Արգելափակել", "confirmations.block.confirm": "Արգելափակել",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Վստա՞հ ես, որ ուզում ես արգելափակել {name}֊ին։", "confirmations.block.message": "Վստա՞հ ես, որ ուզում ես արգելափակել {name}֊ին։",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Ջնջել", "confirmations.delete.confirm": "Ջնջել",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Վստա՞հ ես, որ ուզում ես ջնջել այս թութը։", "confirmations.delete.message": "Վստա՞հ ես, որ ուզում ես ջնջել այս թութը։",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Այս թութը քո կայքում ներդնելու համար կարող ես պատճենել ներքոհիշյալ կոդը։", "embed.instructions": "Այս թութը քո կայքում ներդնելու համար կարող ես պատճենել ներքոհիշյալ կոդը։",
"embed.preview": "Ահա, թե ինչ տեսք կունենա այն՝",
"emoji_button.activity": "Զբաղմունքներ", "emoji_button.activity": "Զբաղմունքներ",
"emoji_button.custom": "Հատուկ", "emoji_button.custom": "Հատուկ",
"emoji_button.flags": "Դրոշներ", "emoji_button.flags": "Դրոշներ",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Այս պիտակով դեռ ոչինչ չկա։", "empty_column.hashtag": "Այս պիտակով դեռ ոչինչ չկա։",
"empty_column.home": "Քո հիմնական հոսքը դատա՛րկ է։ Այցելի՛ր {public}ը կամ օգտվիր որոնումից՝ այլ մարդկանց հանդիպելու համար։", "empty_column.home": "Քո հիմնական հոսքը դատա՛րկ է։ Այցելի՛ր {public}ը կամ օգտվիր որոնումից՝ այլ մարդկանց հանդիպելու համար։",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Այս ցանկում դեռ ոչինչ չկա։ Երբ ցանկի անդամներից որեւէ մեկը նոր թութ գրի, այն կհայտնվի այստեղ։", "empty_column.list": "Այս ցանկում դեռ ոչինչ չկա։ Երբ ցանկի անդամներից որեւէ մեկը նոր թութ գրի, այն կհայտնվի այստեղ։",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "Ոչ մի ծանուցում դեռ չունես։ Բզիր մյուսներին՝ խոսակցությունը սկսելու համար։", "empty_column.notifications": "Ոչ մի ծանուցում դեռ չունես։ Բզիր մյուսներին՝ խոսակցությունը սկսելու համար։",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Այստեղ բան չկա՛։ Հրապարակային մի բան գրիր կամ հետեւիր այլ հանգույցներից էակների՝ այն լցնելու համար։", "empty_column.public": "Այստեղ բան չկա՛։ Հրապարակային մի բան գրիր կամ հետեւիր այլ հանգույցներից էակների՝ այն լցնելու համար։",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Վավերացնել", "follow_request.authorize": "Վավերացնել",
"follow_request.reject": "Մերժել", "follow_request.reject": "Մերժել",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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_link} (v{code_version})։", "getting_started.open_source_notice": "Մաստոդոնը բաց ելատեքստով ծրագրակազմ է։ Կարող ես ներդրում անել կամ վրեպներ զեկուցել ԳիթՀաբում՝ {code_link} (v{code_version})։",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Ցուցադրել տարածածները", "home.column_settings.show_reblogs": "Ցուցադրել տարածածները",
"home.column_settings.show_replies": "Ցուցադրել պատասխանները", "home.column_settings.show_replies": "Ցուցադրել պատասխանները",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "ետ նավարկելու համար", "keyboard_shortcuts.back": "ետ նավարկելու համար",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "տարածելու համար", "keyboard_shortcuts.boost": "տարածելու համար",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Ցուցադրել/թաքցնել", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Չգտնվեց", "missing_indicator.label": "Չգտնվեց",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Թաքցնե՞լ ցանուցումներն այս օգտատիրոջից։", "mute_modal.hide_notifications": "Թաքցնե՞լ ցանուցումներն այս օգտատիրոջից։",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Արգելափակված օգտատերեր", "navigation_bar.blocks": "Արգելափակված օգտատերեր",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Լռեցրած օգտատերեր", "navigation_bar.mutes": "Լռեցրած օգտատերեր",
"navigation_bar.preferences": "Նախապատվություններ", "navigation_bar.preferences": "Նախապատվություններ",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Անվտանգություն",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} հավանեց թութդ", "notification.favourite": "{name} հավանեց թութդ",
"notification.follow": "{name} սկսեց հետեւել քեզ", "notification.follow": "{name} սկսեց հետեւել քեզ",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} նշեց քեզ", "notification.mention": "{name} նշեց քեզ",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} տարածեց թութդ", "notification.reblog": "{name} տարածեց թութդ",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Մաքրել ծանուցումները", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Վստա՞հ ես, որ ուզում ես մշտապես մաքրել քո բոլոր ծանուցումները։", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Աշխատատիրույթի ծանուցումներ",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Հավանածներից՝",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "Նոր հետեւողներ՝",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Նշումներ՝",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Հրելու ծանուցումներ",
"notifications.column_settings.reblog": "Տարածածներից՝",
"notifications.column_settings.show": "Ցուցադրել սյունում",
"notifications.column_settings.sound": "Ձայն հանել",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Կարգավորել թթի գաղտնիությունը", "privacy.change": "Կարգավորել թթի գաղտնիությունը",
"privacy.direct.long": "Թթել միայն նշված օգտատերերի համար", "privacy.direct.long": "Թթել միայն նշված օգտատերերի համար",
"privacy.direct.short": "Հասցեագրված", "privacy.direct.short": "Հասցեագրված",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Ծածուկ", "privacy.unlisted.short": "Ծածուկ",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}օր", "relative_time.days": "{number}օր",
"relative_time.hours": "{number}ժ", "relative_time.hours": "{number}ժ",
"relative_time.just_now": "նոր", "relative_time.just_now": "նոր",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Չեղարկել", "reply_indicator.cancel": "Չեղարկել",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Լրացուցիչ մեկնաբանություններ", "report.placeholder": "Լրացուցիչ մեկնաբանություններ",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Ուղարկել", "report.submit": "Ուղարկել",
"report.target": "Բողոքել {target}֊ի մասին", "report.target": "Բողոքել {target}֊ի մասին",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Փնտրել", "search.placeholder": "Փնտրել",
"search_results.accounts": "Մարդիկ", "search_results.accounts": "Մարդիկ",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Արգելափակել @{name}֊ին",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Ջնջել", "status.delete": "Ջնջել",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Ներդնել", "status.embed": "Ներդնել",
"status.external": "View post on {domain}",
"status.favourite": "Հավանել", "status.favourite": "Հավանել",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Բեռնել ավելին", "status.load_more": "Բեռնել ավելին",
"status.media_hidden": "մեդիաբովանդակությունը թաքցված է",
"status.mention": "Նշել @{name}֊ին", "status.mention": "Նշել @{name}֊ին",
"status.more": "Ավելին", "status.more": "Ավելին",
"status.mute": "Լռեցնել @{name}֊ին",
"status.mute_conversation": "Լռեցնել խոսակցությունը", "status.mute_conversation": "Լռեցնել խոսակցությունը",
"status.open": "Ընդարձակել այս թութը", "status.open": "Ընդարձակել այս թութը",
"status.pin": "Ամրացնել անձնական էջում", "status.pin": "Ամրացնել անձնական էջում",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Տարածել", "status.reblog": "Տարածել",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Պատասխանել թելին", "status.replyAll": "Պատասխանել թելին",
"status.report": "Բողոքել @{name}֊ից", "status.report": "Բողոքել @{name}֊ից",
"status.sensitive_warning": "Կասկածելի բովանդակություն", "status.sensitive_warning": "Կասկածելի բովանդակություն",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Կիսվել", "status.share": "Կիսվել",
"status.show_less": "Պակաս",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Ավելին",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Ապալռեցնել խոսակցությունը", "status.unmute_conversation": "Ապալռեցնել խոսակցությունը",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Հիմնական", "tabs_bar.home": "Հիմնական",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Ծանուցումներ", "tabs_bar.notifications": "Ծանուցումներ",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Փնտրել", "tabs_bar.search": "Փնտրել",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Քո սեւագիրը կկորի, եթե լքես Մաստոդոնը։", "ui.beforeunload": "Քո սեւագիրը կկորի, եթե լքես Մաստոդոնը։",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Նկարագրություն ավելացրու տեսողական խնդիրներ ունեցողների համար", "upload_form.description": "Նկարագրություն ավելացրու տեսողական խնդիրներ ունեցողների համար",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Դադար տալ", "video.pause": "Դադար տալ",
"video.play": "Նվագել", "video.play": "Նվագել",
"video.unmute": "Միացնել ձայնը", "video.unmute": "Միացնել ձայնը",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Sembunyikan segalanya dari {domain}", "account.block_domain": "Sembunyikan segalanya dari {domain}",
"account.blocked": "Terblokir", "account.blocked": "Terblokir",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct Message @{name}", "account.direct": "Direct Message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Ubah profil", "account.edit_profile": "Ubah profil",
"account.endorse": "Tampilkan di profil", "account.endorse": "Tampilkan di profil",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Ikuti", "account.follow": "Ikuti",
"account.followers": "Pengikut", "account.followers": "Pengikut",
"account.followers.empty": "Tidak ada satupun yang mengkuti pengguna ini saat ini.", "account.followers.empty": "Tidak ada satupun yang mengkuti pengguna ini saat ini.",
"account.follows": "Mengikuti", "account.follows": "Mengikuti",
"account.follows.empty": "Pengguna ini belum mengikuti siapapun.", "account.follows.empty": "Pengguna ini belum mengikuti siapapun.",
"account.follows_you": "Mengikuti anda", "account.follows_you": "Mengikuti anda",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Sembunyikan boosts dari @{name}", "account.hide_reblogs": "Sembunyikan boosts dari @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Kepemilikan tautan ini telah dicek pada {date}", "account.link_verified_on": "Kepemilikan tautan ini telah dicek pada {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Balasan", "account.mention": "Balasan",
"account.moved_to": "{name} telah pindah ke:",
"account.mute": "Bisukan @{name}", "account.mute": "Bisukan @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Posts", "account.posts": "Posts",
"account.posts_with_replies": "Postingan dengan balasan", "account.posts_with_replies": "Postingan dengan balasan",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Laporkan @{name}", "account.report": "Laporkan @{name}",
"account.requested": "Menunggu persetujuan. Klik untuk membatalkan permintaan", "account.requested": "Menunggu persetujuan. Klik untuk membatalkan permintaan",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Bagikan profil @{name}", "account.share": "Bagikan profil @{name}",
"account.show_reblogs": "Tampilkan repost dari @{name}", "account.show_reblogs": "Tampilkan repost dari @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Hapus blokir @{name}", "account.unblock": "Hapus blokir @{name}",
"account.unblock_domain": "Tampilkan {domain}", "account.unblock_domain": "Tampilkan {domain}",
"account.unendorse": "Jangan tampilkan di profil", "account.unendorse": "Jangan tampilkan di profil",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Berhenti mengikuti", "account.unfollow": "Berhenti mengikuti",
"account.unmute": "Berhenti membisukan @{name}", "account.unmute": "Berhenti membisukan @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Anda dapat menekan {combo} untuk melewati ini", "boost_modal.combo": "Anda dapat menekan {combo} untuk melewati ini",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Kesalahan terjadi saat memuat komponen ini.", "bundle_column_error.body": "Kesalahan terjadi saat memuat komponen ini.",
"bundle_column_error.retry": "Coba lagi", "bundle_column_error.retry": "Coba lagi",
"bundle_column_error.title": "Kesalahan jaringan", "bundle_column_error.title": "Kesalahan jaringan",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Linimasa Lokal", "column.community": "Linimasa Lokal",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Pesan langsung", "column.direct": "Pesan langsung",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Topik tersembunyi", "column.domain_blocks": "Topik tersembunyi",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Permintaan mengikuti", "column.follow_requests": "Permintaan mengikuti",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Beranda", "column.home": "Beranda",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Kembali", "column_back_button.label": "Kembali",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Tampilkan pengaturan",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Hanya media", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.", "compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Apa yang ada di pikiran anda?", "compose_form.placeholder": "Apa yang ada di pikiran anda?",
"compose_form.poll.add_option": "Tambahkan pilihan", "compose_form.poll.add_option": "Tambahkan pilihan",
"compose_form.poll.duration": "Durasi jajak pendapat", "compose_form.poll.duration": "Durasi jajak pendapat",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Pilihan {number}", "compose_form.poll.option_placeholder": "Pilihan {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Hapus opsi ini", "compose_form.poll.remove_option": "Hapus opsi ini",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Publish", "compose_form.publish": "Publish",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Tandai sebagai media sensitif",
"compose_form.sensitive.marked": "Sumber ini telah ditandai sebagai sumber sensitif.",
"compose_form.sensitive.unmarked": "Sumber ini tidak ditandai sebagai sumber sensitif",
"compose_form.spoiler.marked": "Teks disembunyikan dibalik peringatan", "compose_form.spoiler.marked": "Teks disembunyikan dibalik peringatan",
"compose_form.spoiler.unmarked": "Teks tidak tersembunyi", "compose_form.spoiler.unmarked": "Teks tidak tersembunyi",
"compose_form.spoiler_placeholder": "Peringatan konten", "compose_form.spoiler_placeholder": "Peringatan konten",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Batal", "confirmation_modal.cancel": "Batal",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blokir", "confirmations.block.confirm": "Blokir",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Apa anda yakin ingin memblokir {name}?", "confirmations.block.message": "Apa anda yakin ingin memblokir {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Hapus", "confirmations.delete.confirm": "Hapus",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Apa anda yakin untuk menghapus status ini?", "confirmations.delete.message": "Apa anda yakin untuk menghapus status ini?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Balas", "confirmations.reply.confirm": "Balas",
"confirmations.reply.message": "Membalas sekarang akan menimpa pesan yang sedang Anda buat. Anda yakin ingin melanjutkan?", "confirmations.reply.message": "Membalas sekarang akan menimpa pesan yang sedang Anda buat. Anda yakin ingin melanjutkan?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Sematkan status ini di website anda dengan menyalin kode di bawah ini.", "embed.instructions": "Sematkan status ini di website anda dengan menyalin kode di bawah ini.",
"embed.preview": "Seperti ini nantinya:",
"emoji_button.activity": "Aktivitas", "emoji_button.activity": "Aktivitas",
"emoji_button.custom": "Kustom", "emoji_button.custom": "Kustom",
"emoji_button.flags": "Bendera", "emoji_button.flags": "Bendera",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Anda belum memiliki permintaan mengikuti. Ketika Anda menerimanya, maka akan muncul disini.", "empty_column.follow_requests": "Anda belum memiliki permintaan mengikuti. Ketika Anda menerimanya, maka akan muncul disini.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Tidak ada apapun dalam hashtag ini.", "empty_column.hashtag": "Tidak ada apapun dalam hashtag ini.",
"empty_column.home": "Linimasa anda kosong! Kunjungi {public} atau gunakan pencarian untuk memulai dan bertemu pengguna lain.", "empty_column.home": "Linimasa anda kosong! Kunjungi {public} atau gunakan pencarian untuk memulai dan bertemu pengguna lain.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Tidak ada postingan di list ini. Ketika anggota dari list ini memposting status baru, status tersebut akan tampil disini.", "empty_column.list": "Tidak ada postingan di list ini. Ketika anggota dari list ini memposting status baru, status tersebut akan tampil disini.",
"empty_column.lists": "Anda belum memiliki daftar. Ketika Anda membuatnya, maka akan muncul disini.", "empty_column.lists": "Anda belum memiliki daftar. Ketika Anda membuatnya, maka akan muncul disini.",
"empty_column.mutes": "Anda belum membisukan siapapun.", "empty_column.mutes": "Anda belum membisukan siapapun.",
"empty_column.notifications": "Anda tidak memiliki notifikasi apapun. Berinteraksi dengan orang lain untuk memulai percakapan.", "empty_column.notifications": "Anda tidak memiliki notifikasi apapun. Berinteraksi dengan orang lain untuk memulai percakapan.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Tidak ada apapun disini! Tulis sesuatu, atau ikuti pengguna lain dari server lain untuk mengisi ini", "empty_column.public": "Tidak ada apapun disini! Tulis sesuatu, atau ikuti pengguna lain dari server lain untuk mengisi ini",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Izinkan", "follow_request.authorize": "Izinkan",
"follow_request.reject": "Tolak", "follow_request.reject": "Tolak",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} adalah perangkat lunak yang bersifat terbuka. Anda dapat berkontribusi atau melaporkan permasalahan/bug di Gitlab {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} adalah perangkat lunak yang bersifat terbuka. Anda dapat berkontribusi atau melaporkan permasalahan/bug di Gitlab {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "dan {additional}", "hashtag.column_header.tag_mode.all": "dan {additional}",
"hashtag.column_header.tag_mode.any": "atau {additional}", "hashtag.column_header.tag_mode.any": "atau {additional}",
"hashtag.column_header.tag_mode.none": "tanpa {additional}", "hashtag.column_header.tag_mode.none": "tanpa {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Tampilkan repost", "home.column_settings.show_reblogs": "Tampilkan repost",
"home.column_settings.show_replies": "Tampilkan balasan", "home.column_settings.show_replies": "Tampilkan balasan",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, other {# hari}}", "intervals.full.days": "{number, plural, other {# hari}}",
"intervals.full.hours": "{number, plural, other {# jam}}", "intervals.full.hours": "{number, plural, other {# jam}}",
"intervals.full.minutes": "{number, plural, other {# menit}}", "intervals.full.minutes": "{number, plural, other {# menit}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "untuk kembali", "keyboard_shortcuts.back": "untuk kembali",
"keyboard_shortcuts.blocked": "buka daftar pengguna terblokir", "keyboard_shortcuts.blocked": "buka daftar pengguna terblokir",
"keyboard_shortcuts.boost": "untuk menyebarkan", "keyboard_shortcuts.boost": "untuk menyebarkan",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Tampil/Sembunyikan", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Tidak ditemukan", "missing_indicator.label": "Tidak ditemukan",
"missing_indicator.sublabel": "Sumber daya tak bisa ditemukan", "missing_indicator.sublabel": "Sumber daya tak bisa ditemukan",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Sembunyikan notifikasi dari pengguna ini?", "mute_modal.hide_notifications": "Sembunyikan notifikasi dari pengguna ini?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Pengguna diblokir", "navigation_bar.blocks": "Pengguna diblokir",
"navigation_bar.compose": "Tulis toot baru", "navigation_bar.compose": "Tulis toot baru",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Domain tersembunyi", "navigation_bar.domain_blocks": "Domain tersembunyi",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Pengguna dibisukan", "navigation_bar.mutes": "Pengguna dibisukan",
"navigation_bar.preferences": "Pengaturan", "navigation_bar.preferences": "Pengaturan",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Keamanan",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} menyukai status anda", "notification.favourite": "{name} menyukai status anda",
"notification.follow": "{name} mengikuti anda", "notification.follow": "{name} mengikuti anda",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} menyebut Anda", "notification.mention": "{name} menyebut Anda",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Japat yang Anda ikuti telah berakhir", "notification.poll": "Japat yang Anda ikuti telah berakhir",
"notification.reblog": "{name} mem-boost status anda", "notification.reblog": "{name} mem-boost status anda",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Hapus notifikasi", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Apa anda yakin hendak menghapus semua notifikasi anda?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Notifikasi desktop",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favorit:",
"notifications.column_settings.filter_bar.advanced": "Tampilkan semua kategori",
"notifications.column_settings.filter_bar.category": "Bilah penyaring cepat",
"notifications.column_settings.filter_bar.show": "Tampilkan",
"notifications.column_settings.follow": "Pengikut baru:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Balasan:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Hasil japat:",
"notifications.column_settings.push": "Notifikasi dorong",
"notifications.column_settings.reblog": "Repost:",
"notifications.column_settings.show": "Tampilkan dalam kolom",
"notifications.column_settings.sound": "Mainkan suara",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Semua", "notifications.filter.all": "Semua",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorit", "notifications.filter.favourites": "Favorit",
"notifications.filter.follows": "Diikuti", "notifications.filter.follows": "Diikuti",
"notifications.filter.mentions": "Sebutan", "notifications.filter.mentions": "Sebutan",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Hasil japat", "notifications.filter.polls": "Hasil japat",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifikasi", "notifications.group": "{count} notifikasi",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Ditutup", "poll.closed": "Ditutup",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Segarkan", "poll.refresh": "Segarkan",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Tentukan privasi status", "privacy.change": "Tentukan privasi status",
"privacy.direct.long": "Kirim hanya ke pengguna yang disebut", "privacy.direct.long": "Kirim hanya ke pengguna yang disebut",
"privacy.direct.short": "Langsung", "privacy.direct.short": "Langsung",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Tak Terdaftar", "privacy.unlisted.short": "Tak Terdaftar",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Linimasa anda sedang disiapkan!", "regeneration_indicator.sublabel": "Linimasa anda sedang disiapkan!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Batal", "reply_indicator.cancel": "Batal",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Komentar tambahan", "report.placeholder": "Komentar tambahan",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Kirim", "report.submit": "Kirim",
"report.target": "Melaporkan", "report.target": "Melaporkan",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Pencarian", "search.placeholder": "Pencarian",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Hapus", "status.delete": "Hapus",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Difavoritkan", "status.favourite": "Difavoritkan",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Tampilkan semua", "status.load_more": "Tampilkan semua",
"status.media_hidden": "Media disembunyikan",
"status.mention": "Balasan @{name}", "status.mention": "Balasan @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Tampilkan status ini", "status.open": "Tampilkan status ini",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repost", "status.reblog": "Repost",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Balas ke semua", "status.replyAll": "Balas ke semua",
"status.report": "Laporkan @{name}", "status.report": "Laporkan @{name}",
"status.sensitive_warning": "Konten sensitif", "status.sensitive_warning": "Konten sensitif",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Tampilkan lebih sedikit",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Tampilkan semua",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Beranda", "tabs_bar.home": "Beranda",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Notifikasi", "tabs_bar.notifications": "Notifikasi",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Naskah anda akan hilang jika anda keluar dari Soapbox.", "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.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Deskripsikan untuk mereka yang tidak bisa melihat dengan jelas", "upload_form.description": "Deskripsikan untuk mereka yang tidak bisa melihat dengan jelas",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Hide everything from {domain}", "account.block_domain": "Hide everything from {domain}",
"account.blocked": "Blocked", "account.blocked": "Blocked",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Direct Message @{name}", "account.direct": "Direct Message @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Modifikar profilo", "account.edit_profile": "Modifikar profilo",
"account.endorse": "Feature on profile", "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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Sequar", "account.follow": "Sequar",
"account.followers": "Sequanti", "account.followers": "Sequanti",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "Sequas", "account.follows": "Sequas",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Sequas tu", "account.follows_you": "Sequas tu",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Hide reposts from @{name}", "account.hide_reblogs": "Hide reposts from @{name}",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Mencionar", "account.mention": "Mencionar",
"account.moved_to": "{name} has moved to:",
"account.mute": "Celar @{name}", "account.mute": "Celar @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Mesaji", "account.posts": "Mesaji",
"account.posts_with_replies": "Toots with replies", "account.posts_with_replies": "Toots with replies",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Denuncar @{name}", "account.report": "Denuncar @{name}",
"account.requested": "Vartante aprobo", "account.requested": "Vartante aprobo",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Share @{name}'s profile", "account.share": "Share @{name}'s profile",
"account.show_reblogs": "Show reposts from @{name}", "account.show_reblogs": "Show reposts from @{name}",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Desblokusar @{name}", "account.unblock": "Desblokusar @{name}",
"account.unblock_domain": "Unhide {domain}", "account.unblock_domain": "Unhide {domain}",
"account.unendorse": "Don't feature on profile", "account.unendorse": "Don't feature on profile",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Ne plus sequar", "account.unfollow": "Ne plus sequar",
"account.unmute": "Ne plus celar @{name}", "account.unmute": "Ne plus celar @{name}",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Tu povas presar sur {combo} por omisar co en la venonta foyo", "boost_modal.combo": "Tu povas presar sur {combo} por omisar co en la venonta foyo",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Something went wrong while loading this page.", "bundle_column_error.body": "Something went wrong while loading this page.",
"bundle_column_error.retry": "Try again", "bundle_column_error.retry": "Try again",
"bundle_column_error.title": "Network error", "bundle_column_error.title": "Network error",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Lokala tempolineo", "column.community": "Lokala tempolineo",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Direct messages", "column.direct": "Direct messages",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Hidden domains", "column.domain_blocks": "Hidden domains",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Demandi di sequado", "column.follow_requests": "Demandi di sequado",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Hemo", "column.home": "Hemo",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Retro", "column_back_button.label": "Retro",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Show settings",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Media Only", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.", "compose_form.direct_message_warning": "This toot will only be visible to all the mentioned users.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Quo esas en tua spirito?", "compose_form.placeholder": "Quo esas en tua spirito?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Siflar", "compose_form.publish": "Siflar",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Media is marked as sensitive",
"compose_form.sensitive.unmarked": "Media is not marked as sensitive",
"compose_form.spoiler.marked": "Text is hidden behind warning", "compose_form.spoiler.marked": "Text is hidden behind warning",
"compose_form.spoiler.unmarked": "Text is not hidden", "compose_form.spoiler.unmarked": "Text is not hidden",
"compose_form.spoiler_placeholder": "Averto di kontenajo", "compose_form.spoiler_placeholder": "Averto di kontenajo",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Cancel", "confirmation_modal.cancel": "Cancel",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Block", "confirmations.block.confirm": "Block",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Are you sure you want to block {name}?", "confirmations.block.message": "Are you sure you want to block {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Delete", "confirmations.delete.confirm": "Delete",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Are you sure you want to delete this post?", "confirmations.delete.message": "Are you sure you want to delete this post?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Embed this post on your website by copying the code below.", "embed.instructions": "Embed this post on your website by copying the code below.",
"embed.preview": "Here is what it will look like:",
"emoji_button.activity": "Activity", "emoji_button.activity": "Activity",
"emoji_button.custom": "Custom", "emoji_button.custom": "Custom",
"emoji_button.flags": "Flags", "emoji_button.flags": "Flags",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Esas ankore nulo en ta gretovorto.", "empty_column.hashtag": "Esas ankore nulo en ta gretovorto.",
"empty_column.home": "Tu sequas ankore nulu. Vizitez {public} od uzez la serchilo por komencar e renkontrar altra uzeri.", "empty_column.home": "Tu sequas ankore nulu. Vizitez {public} od uzez la serchilo por komencar e renkontrar altra uzeri.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "There is nothing in this list yet.", "empty_column.list": "There is nothing in this list yet.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "Tu havas ankore nula savigo. Komunikez kun altri por debutar la konverso.", "empty_column.notifications": "Tu havas ankore nula savigo. Komunikez kun altri por debutar la konverso.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Esas nulo hike! Skribez ulo publike, o manuale sequez uzeri de altra instaluri por plenigar ol.", "empty_column.public": "Esas nulo hike! Skribez ulo publike, o manuale sequez uzeri de altra instaluri por plenigar ol.",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Yurizar", "follow_request.authorize": "Yurizar",
"follow_request.reject": "Refuzar", "follow_request.reject": "Refuzar",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} esas programaro kun apertita kodexo. Tu povas kontributar o signalar problemi en GitLab ye {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} esas programaro kun apertita kodexo. Tu povas kontributar o signalar problemi en GitLab ye {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Montrar repeti", "home.column_settings.show_reblogs": "Montrar repeti",
"home.column_settings.show_replies": "Montrar respondi", "home.column_settings.show_replies": "Montrar respondi",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "to navigate back", "keyboard_shortcuts.back": "to navigate back",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "to repost", "keyboard_shortcuts.boost": "to repost",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Chanjar videbleso", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Ne trovita", "missing_indicator.label": "Ne trovita",
"missing_indicator.sublabel": "This resource could not be found", "missing_indicator.sublabel": "This resource could not be found",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Hide notifications from this user?", "mute_modal.hide_notifications": "Hide notifications from this user?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Blokusita uzeri", "navigation_bar.blocks": "Blokusita uzeri",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Hidden domains", "navigation_bar.domain_blocks": "Hidden domains",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Celita uzeri", "navigation_bar.mutes": "Celita uzeri",
"navigation_bar.preferences": "Preferi", "navigation_bar.preferences": "Preferi",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Security",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} favorizis tua mesajo", "notification.favourite": "{name} favorizis tua mesajo",
"notification.follow": "{name} sequeskis tu", "notification.follow": "{name} sequeskis tu",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} mencionis tu", "notification.mention": "{name} mencionis tu",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} repetis tua mesajo", "notification.reblog": "{name} repetis tua mesajo",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Efacar savigi", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Ka tu esas certa, ke tu volas efacar omna tua savigi?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Surtabla savigi",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Favorati:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "Nova sequanti:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Mencioni:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "Push notifications",
"notifications.column_settings.reblog": "Repeti:",
"notifications.column_settings.show": "Montrar en kolumno",
"notifications.column_settings.sound": "Plear sono",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifications", "notifications.group": "{count} notifications",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Aranjar privateso di mesaji", "privacy.change": "Aranjar privateso di mesaji",
"privacy.direct.long": "Sendar nur a mencionata uzeri", "privacy.direct.long": "Sendar nur a mencionata uzeri",
"privacy.direct.short": "Direte", "privacy.direct.short": "Direte",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Ne enlistigota", "privacy.unlisted.short": "Ne enlistigota",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Loading…", "regeneration_indicator.label": "Loading…",
"regeneration_indicator.sublabel": "Your home feed is being prepared!", "regeneration_indicator.sublabel": "Your home feed is being prepared!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}h", "relative_time.hours": "{number}h",
"relative_time.just_now": "now", "relative_time.just_now": "now",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Nihiligar", "reply_indicator.cancel": "Nihiligar",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Forward to {target}", "report.forward": "Forward to {target}",
"report.forward_hint": "The account is from another server. Send a copy of the report there as well?", "report.forward_hint": "The account is from another server. Send a copy of the report there as well?",
"report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Plusa komenti", "report.placeholder": "Plusa komenti",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Sendar", "report.submit": "Sendar",
"report.target": "Denuncante", "report.target": "Denuncante",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Serchez", "search.placeholder": "Serchez",
"search_results.accounts": "People", "search_results.accounts": "People",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtags", "search_results.hashtags": "Hashtags",
"search_results.statuses": "Posts", "search_results.statuses": "Posts",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Block @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Un-repost", "status.cancel_reblog_private": "Un-repost",
@ -976,14 +1075,16 @@
"status.delete": "Efacar", "status.delete": "Efacar",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "Direct message @{name}", "status.direct": "Direct message @{name}",
"status.edit": "Edit",
"status.embed": "Embed", "status.embed": "Embed",
"status.external": "View post on {domain}",
"status.favourite": "Favorizar", "status.favourite": "Favorizar",
"status.filtered": "Filtered", "status.filtered": "Filtered",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Kargar pluse", "status.load_more": "Kargar pluse",
"status.media_hidden": "Kontenajo celita",
"status.mention": "Mencionar @{name}", "status.mention": "Mencionar @{name}",
"status.more": "More", "status.more": "More",
"status.mute": "Mute @{name}",
"status.mute_conversation": "Mute conversation", "status.mute_conversation": "Mute conversation",
"status.open": "Detaligar ca mesajo", "status.open": "Detaligar ca mesajo",
"status.pin": "Pin on profile", "status.pin": "Pin on profile",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "Repetar", "status.reblog": "Repetar",
"status.reblog_private": "Repost to original audience", "status.reblog_private": "Repost to original audience",
@ -1009,13 +1109,15 @@
"status.replyAll": "Respondar a filo", "status.replyAll": "Respondar a filo",
"status.report": "Denuncar @{name}", "status.report": "Denuncar @{name}",
"status.sensitive_warning": "Trubliva kontenajo", "status.sensitive_warning": "Trubliva kontenajo",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Share", "status.share": "Share",
"status.show_less": "Montrar mine",
"status.show_less_all": "Show less for all", "status.show_less_all": "Show less for all",
"status.show_more": "Montrar plue",
"status.show_more_all": "Show more for all", "status.show_more_all": "Show more for all",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Unmute conversation", "status.unmute_conversation": "Unmute conversation",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Hemo", "tabs_bar.home": "Hemo",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Savigi", "tabs_bar.notifications": "Savigi",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Your draft will be lost if you leave.", "ui.beforeunload": "Your draft will be lost if you leave.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Describe for the visually impaired", "upload_form.description": "Describe for the visually impaired",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Pause", "video.pause": "Pause",
"video.play": "Play", "video.play": "Play",
"video.unmute": "Unmute sound", "video.unmute": "Unmute sound",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -12,14 +12,20 @@
"account.chat": "Spjalla með @{name}", "account.chat": "Spjalla með @{name}",
"account.deactivated": "Óvirkjaður", "account.deactivated": "Óvirkjaður",
"account.direct": "Bein skilaboð til @{name}", "account.direct": "Bein skilaboð til @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Breyta notandasniði", "account.edit_profile": "Breyta notandasniði",
"account.endorse": "Sýna á notandasniði", "account.endorse": "Sýna á notandasniði",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Fylgjast með", "account.follow": "Fylgjast með",
"account.followers": "Fylgjendur", "account.followers": "Fylgjendur",
"account.followers.empty": "Enginn fylgist með þessum notanda ennþá.", "account.followers.empty": "Enginn fylgist með þessum notanda ennþá.",
"account.follows": "Fylgist með", "account.follows": "Fylgist með",
"account.follows.empty": "Þessi notandi fylgist ekki með neinum ennþá.", "account.follows.empty": "Þessi notandi fylgist ekki með neinum ennþá.",
"account.follows_you": "Fylgir þér", "account.follows_you": "Fylgir þér",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Fela endurbirtingar fyrir @{name}", "account.hide_reblogs": "Fela endurbirtingar fyrir @{name}",
"account.last_status": "Síðast virkur", "account.last_status": "Síðast virkur",
"account.link_verified_on": "Eignarhald á þessum tengli var athugað þann {date}", "account.link_verified_on": "Eignarhald á þessum tengli var athugað þann {date}",
@ -28,33 +34,56 @@
"account.media": "Myndskrár", "account.media": "Myndskrár",
"account.member_since": "Gerðist þátttakandi {date}", "account.member_since": "Gerðist þátttakandi {date}",
"account.mention": "Minnast á", "account.mention": "Minnast á",
"account.moved_to": "{name} hefur verið færður til:",
"account.mute": "Þagga niður í @{name}", "account.mute": "Þagga niður í @{name}",
"account.muted": "Muted",
"account.never_active": "Aldrei", "account.never_active": "Aldrei",
"account.posts": "Færslur", "account.posts": "Færslur",
"account.posts_with_replies": "Færslur og svör", "account.posts_with_replies": "Færslur og svör",
"account.profile": "Notandasnið", "account.profile": "Notandasnið",
"account.profile_external": "View profile on {domain}",
"account.register": "Nýskrá", "account.register": "Nýskrá",
"account.remote_follow": "Fylgjast með fjartengt", "account.remote_follow": "Fylgjast með fjartengt",
"account.remove_from_followers": "Remove this follower",
"account.report": "Kæra @{name}", "account.report": "Kæra @{name}",
"account.requested": "Bíður eftir samþykki. Smelltu til að hætta við beiðni um að fylgjast með", "account.requested": "Bíður eftir samþykki. Smelltu til að hætta við beiðni um að fylgjast með",
"account.requested_small": "Bíður eftir samþykki", "account.requested_small": "Bíður eftir samþykki",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Deila notandasniði fyrir @{name}", "account.share": "Deila notandasniði fyrir @{name}",
"account.show_reblogs": "Sýna endurbirtingar frá @{name}", "account.show_reblogs": "Sýna endurbirtingar frá @{name}",
"account.subscribe": "Fylgjast með tilkynningum frá @{name}", "account.subscribe": "Fylgjast með tilkynningum frá @{name}",
"account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Aflétta útilokun af @{name}", "account.unblock": "Aflétta útilokun af @{name}",
"account.unblock_domain": "Aflétta útilokun lénsins {domain}", "account.unblock_domain": "Aflétta útilokun lénsins {domain}",
"account.unendorse": "Hætta að sýna á notandasniði", "account.unendorse": "Hætta að sýna á notandasniði",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Hætta að fylgja", "account.unfollow": "Hætta að fylgja",
"account.unmute": "Hætta að þagga niður í @{name}", "account.unmute": "Hætta að þagga niður í @{name}",
"account.unsubscribe": "Hætta að fylgjast með tilkynningum frá @{name}", "account.unsubscribe": "Hætta að fylgjast með tilkynningum frá @{name}",
"account.unsubscribe.failure": "An error occurred trying to unsubscribe to this account.",
"account.unsubscribe.success": "You have unsubscribed from this account.",
"account.verified": "Staðfestur reikningur", "account.verified": "Staðfestur reikningur",
"account_gallery.none": "Engir myndskrár til að sýna.", "account_gallery.none": "Engir myndskrár til að sýna.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "Þú getur geymt minnispunkt um þennan notanda fyrir sjálfan þig (Hann verður ekki deildur með öðrum):", "account_note.hint": "Þú getur geymt minnispunkt um þennan notanda fyrir sjálfan þig (Hann verður ekki deildur með öðrum):",
"account_note.placeholder": "Enginn minnispunktur ennþá", "account_note.placeholder": "Enginn minnispunktur ennþá",
"account_note.save": "Vista", "account_note.save": "Vista",
"account_note.target": "Minnispunktur fyrir @{target}", "account_note.target": "Minnispunktur fyrir @{target}",
"account_search.placeholder": "Leita að notanda", "account_search.placeholder": "Leita að notanda",
"actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} var samþykktur!", "admin.awaiting_approval.approved_message": "{acct} var samþykktur!",
"admin.awaiting_approval.empty_message": "Það er enginn að bíða eftir samþykki. Þegar nýr notandi skráir sig geturðu skoðað hann hér.", "admin.awaiting_approval.empty_message": "Það er enginn að bíða eftir samþykki. Þegar nýr notandi skráir sig geturðu skoðað hann hér.",
"admin.awaiting_approval.rejected_message": "{acct} was rejected.", "admin.awaiting_approval.rejected_message": "{acct} was rejected.",
@ -91,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -116,6 +136,9 @@
"admin_nav.awaiting_approval": "Í bið", "admin_nav.awaiting_approval": "Í bið",
"admin_nav.dashboard": "Stjórnborð", "admin_nav.dashboard": "Stjórnborð",
"admin_nav.reports": "Kærur", "admin_nav.reports": "Kærur",
"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",
"alert.unexpected.body": "Afsakaðu truflunina. Ef vandamálið heldur áfram skaltu láta hjálparliðið vita. Þú getur líka {clear_cookies} en þetta mun skrá þig út.", "alert.unexpected.body": "Afsakaðu truflunina. Ef vandamálið heldur áfram skaltu láta hjálparliðið vita. Þú getur líka {clear_cookies} en þetta mun skrá þig út.",
"alert.unexpected.browser": "Vafri", "alert.unexpected.browser": "Vafri",
"alert.unexpected.clear_cookies": "hreinsað vafrakökur og vafragögn", "alert.unexpected.clear_cookies": "hreinsað vafrakökur og vafragögn",
@ -131,6 +154,7 @@
"aliases.search": "Leita í gamla reikningnum þínum", "aliases.search": "Leita í gamla reikningnum þínum",
"aliases.success.add": "Notandasamnefni skapað", "aliases.success.add": "Notandasamnefni skapað",
"aliases.success.remove": "Notandasamnefni fjarlægt", "aliases.success.remove": "Notandasamnefni fjarlægt",
"announcements.title": "Announcements",
"app_create.name_label": "Nafn forrits", "app_create.name_label": "Nafn forrits",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -145,13 +169,16 @@
"app_create.website_label": "Síða", "app_create.website_label": "Síða",
"auth.invalid_credentials": "Rangt notendanafn eða lykilorð", "auth.invalid_credentials": "Rangt notendanafn eða lykilorð",
"auth.logged_out": "Útskráður.", "auth.logged_out": "Útskráður.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Skapa öryggisafrit", "backups.actions.create": "Skapa öryggisafrit",
"backups.empty_message": "Engin öryggisafrit fannst. {action}", "backups.empty_message": "Engin öryggisafrit fannst. {action}",
"backups.empty_message.action": "Skapa eina núna?", "backups.empty_message.action": "Skapa eina núna?",
"backups.pending": "Í bið", "backups.pending": "Í bið",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Þú getur ýtt á {combo} til að sleppa þessu næst", "boost_modal.combo": "Þú getur ýtt á {combo} til að sleppa þessu næst",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Eitthvað fór úrskeiðis við að hlaða þessum íhluti.", "bundle_column_error.body": "Eitthvað fór úrskeiðis við að hlaða þessum íhluti.",
"bundle_column_error.retry": "Reyna aftur", "bundle_column_error.retry": "Reyna aftur",
"bundle_column_error.title": "Villa í netkerfi", "bundle_column_error.title": "Villa í netkerfi",
@ -163,6 +190,7 @@
"chat_box.input.placeholder": "Senda skilaboð…", "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.empty": "Engin samtöl fannst. Til að hefja spjall skaltu fara á notandasnið einhvers..",
"chat_panels.main_window.title": "Spjöll", "chat_panels.main_window.title": "Spjöll",
"chat_window.close": "Close chat",
"chats.actions.delete": "Eyða skilaboði", "chats.actions.delete": "Eyða skilaboði",
"chats.actions.more": "Meira", "chats.actions.more": "Meira",
"chats.actions.report": "Kæra notanda", "chats.actions.report": "Kæra notanda",
@ -193,11 +221,13 @@
"column.community": "Staðbundin tímalína", "column.community": "Staðbundin tímalína",
"column.crypto_donate": "Gefa dulmálsgjaldmiðil", "column.crypto_donate": "Gefa dulmálsgjaldmiðil",
"column.developers": "Forritarar", "column.developers": "Forritarar",
"column.developers.service_worker": "Service Worker",
"column.direct": "Bein skilaboð", "column.direct": "Bein skilaboð",
"column.directory": "Vafra notandasnið", "column.directory": "Vafra notandasnið",
"column.domain_blocks": "Falin lén", "column.domain_blocks": "Falin lén",
"column.edit_profile": "Breyta notandasniði", "column.edit_profile": "Breyta notandasniði",
"column.export_data": "Flytja út gögn", "column.export_data": "Flytja út gögn",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Færslur í eftirlæti", "column.favourited_statuses": "Færslur í eftirlæti",
"column.favourites": "Eftirlæti", "column.favourites": "Eftirlæti",
"column.federation_restrictions": "Takmarkanir á aðra þjóna", "column.federation_restrictions": "Takmarkanir á aðra þjóna",
@ -222,7 +252,6 @@
"column.follow_requests": "Fylgjubeiðnir", "column.follow_requests": "Fylgjubeiðnir",
"column.followers": "Fylgjendur", "column.followers": "Fylgjendur",
"column.following": "Fylgjandi", "column.following": "Fylgjandi",
"column.groups": "Hópar",
"column.home": "Heima", "column.home": "Heima",
"column.import_data": "Flytja inn gögn", "column.import_data": "Flytja inn gögn",
"column.info": "Upplýsingar um netþjón", "column.info": "Upplýsingar um netþjón",
@ -250,11 +279,11 @@
"column_back_button.label": "Til baka", "column_back_button.label": "Til baka",
"column_forbidden.body": "Þú hefur ekki aðgang að þessari síðu.", "column_forbidden.body": "Þú hefur ekki aðgang að þessari síðu.",
"column_forbidden.title": "Bannað", "column_forbidden.title": "Bannað",
"column_header.show_settings": "Sýna stillingar",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Einungis myndskrár", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Stillingar staðværu tímalínu", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "{chars} af {maxChars} stöfum notaðir", "compose.character_counter.title": "{chars} af {maxChars} stöfum notaðir",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "Þú verður að skipuleggja færslu fyrir að minnsta kosti 5 mínútur.", "compose.invalid_schedule": "Þú verður að skipuleggja færslu fyrir að minnsta kosti 5 mínútur.",
"compose.submit_success": "Færslan þín var send", "compose.submit_success": "Færslan þín var send",
"compose_form.direct_message_warning": "Þessi færsla verður aðeins send til nefndra notenda.", "compose_form.direct_message_warning": "Þessi færsla verður aðeins send til nefndra notenda.",
@ -267,18 +296,25 @@
"compose_form.placeholder": "Hvað hefurðu í huga?", "compose_form.placeholder": "Hvað hefurðu í huga?",
"compose_form.poll.add_option": "Bæta við valkosti", "compose_form.poll.add_option": "Bæta við valkosti",
"compose_form.poll.duration": "Tímalengd könnunar", "compose_form.poll.duration": "Tímalengd könnunar",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Valkostur {number}", "compose_form.poll.option_placeholder": "Valkostur {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Fjarlægja þennan valkost", "compose_form.poll.remove_option": "Fjarlægja þennan valkost",
"compose_form.poll.switch_to_multiple": "Breyta könnun svo hægt sé að hafa marga valkosti", "compose_form.poll.switch_to_multiple": "Breyta könnun svo hægt sé að hafa marga valkosti",
"compose_form.poll.switch_to_single": "Breyta könnun svo hægt sé að hafa einn stakan valkost", "compose_form.poll.switch_to_single": "Breyta könnun svo hægt sé að hafa einn stakan valkost",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Birta", "compose_form.publish": "Birta",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Áætla", "compose_form.schedule": "Áætla",
"compose_form.scheduled_statuses.click_here": "Smelltu hér", "compose_form.scheduled_statuses.click_here": "Smelltu hér",
"compose_form.scheduled_statuses.message": "Þú hefur tímasettar færslur. {click_here} til að sjá þær.", "compose_form.scheduled_statuses.message": "Þú hefur tímasettar færslur. {click_here} til að sjá þær.",
"compose_form.spoiler.marked": "Texti er falinn á bak við aðvörun", "compose_form.spoiler.marked": "Texti er falinn á bak við aðvörun",
"compose_form.spoiler.unmarked": "Texti er ekki falinn", "compose_form.spoiler.unmarked": "Texti er ekki falinn",
"compose_form.spoiler_placeholder": "Skrifaðu viðvörun þína hér", "compose_form.spoiler_placeholder": "Skrifaðu viðvörun þína hér",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Hætta við", "confirmation_modal.cancel": "Hætta við",
"confirmations.admin.deactivate_user.confirm": "Óvirkja @{name}", "confirmations.admin.deactivate_user.confirm": "Óvirkja @{name}",
"confirmations.admin.deactivate_user.heading": "Óvirkja @{acct}", "confirmations.admin.deactivate_user.heading": "Óvirkja @{acct}",
@ -303,6 +339,9 @@
"confirmations.block.confirm": "Útiloka", "confirmations.block.confirm": "Útiloka",
"confirmations.block.heading": "Útiloka @{name}", "confirmations.block.heading": "Útiloka @{name}",
"confirmations.block.message": "Ertu viss um að þú viljir útiloka {name}?", "confirmations.block.message": "Ertu viss um að þú viljir útiloka {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Eyða", "confirmations.delete.confirm": "Eyða",
"confirmations.delete.heading": "Eyða færslu", "confirmations.delete.heading": "Eyða færslu",
"confirmations.delete.message": "Ertu viss um að þú viljir eyða þessari færslu?", "confirmations.delete.message": "Ertu viss um að þú viljir eyða þessari færslu?",
@ -322,8 +361,13 @@
"confirmations.register.needs_approval.header": "Vantar samþykki", "confirmations.register.needs_approval.header": "Vantar samþykki",
"confirmations.register.needs_confirmation": "Vinsamlegast athugaðu pósthólfið þitt á {email} fyrir leiðbeiningar um staðfestingu. Þú þarft að staðfesta netfangið þitt til að halda áfram.", "confirmations.register.needs_confirmation": "Vinsamlegast athugaðu pósthólfið þitt á {email} fyrir leiðbeiningar um staðfestingu. Þú þarft að staðfesta netfangið þitt til að halda áfram.",
"confirmations.register.needs_confirmation.header": "Vantar samþykki", "confirmations.register.needs_confirmation.header": "Vantar samþykki",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Svara", "confirmations.reply.confirm": "Svara",
"confirmations.reply.message": "Ef þú svarar núna verður skrifað yfir skilaboðin sem þú ert að semja núna. Ertu viss um að þú viljir halda áfram?", "confirmations.reply.message": "Ef þú svarar núna verður skrifað yfir skilaboðin sem þú ert að semja núna. Ertu viss um að þú viljir halda áfram?",
"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.scheduled_status_delete.confirm": "Hætta við", "confirmations.scheduled_status_delete.confirm": "Hætta við",
"confirmations.scheduled_status_delete.heading": "Hætta við tímaseta færslu", "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.scheduled_status_delete.message": "Ertu viss um að þú viljir hætta við þessa tímaseta færslu?",
@ -335,11 +379,14 @@
"crypto_donate_panel.actions.view": "Smelltu til að sjá {count} {count, plural, one {veski} other {veski}}", "crypto_donate_panel.actions.view": "Smelltu til að sjá {count} {count, plural, one {veski} other {veski}}",
"crypto_donate_panel.heading": "Gefa dulmálsgjaldmiðil", "crypto_donate_panel.heading": "Gefa dulmálsgjaldmiðil",
"crypto_donate_panel.intro.message": "{siteTitle} tekur við dulmálsgjaldmiðlum til að fjármagna þjónustu okkar. Þakka þér fyrir stuðninginn!", "crypto_donate_panel.intro.message": "{siteTitle} tekur við dulmálsgjaldmiðlum til að fjármagna þjónustu okkar. Þakka þér fyrir stuðninginn!",
"datepicker.day": "Day",
"datepicker.hint": "Áætlað…", "datepicker.hint": "Áætlað…",
"datepicker.month": "Month",
"datepicker.next_month": "Næsta mánuð", "datepicker.next_month": "Næsta mánuð",
"datepicker.next_year": "Næsta ár", "datepicker.next_year": "Næsta ár",
"datepicker.previous_month": "Fyrri mánuður", "datepicker.previous_month": "Fyrri mánuður",
"datepicker.previous_year": "Fyrra ár", "datepicker.previous_year": "Fyrra ár",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Svar", "developers.challenge.answer_label": "Svar",
"developers.challenge.answer_placeholder": "Þitt svar", "developers.challenge.answer_placeholder": "Þitt svar",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -351,14 +398,18 @@
"developers.navigation.intentional_error_label": "Gera villu", "developers.navigation.intentional_error_label": "Gera villu",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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": "Senda skilaboð til…", "direct.search_placeholder": "Senda skilaboð til…",
"directory.federated": "Frá samtengdum vefþjónum", "directory.federated": "Frá samtengdum vefþjónum",
"directory.local": "Einungis frá {domain}", "directory.local": "Einungis frá {domain}",
"directory.new_arrivals": "Nýkomnir", "directory.new_arrivals": "Nýkomnir",
"directory.recently_active": "Nýleg virkni", "directory.recently_active": "Nýleg virkni",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Fela færslur nema fyrir fylgjendur", "edit_federation.followers_only": "Fela færslur nema fyrir fylgjendur",
"edit_federation.force_nsfw": "Neyða myndskrám til að vera merktar viðkvæmar", "edit_federation.force_nsfw": "Neyða myndskrám til að vera merktar viðkvæmar",
"edit_federation.media_removal": "Fjarlægja myndskrár", "edit_federation.media_removal": "Fjarlægja myndskrár",
@ -385,6 +436,7 @@
"edit_profile.fields.locked_label": "Læsa notandaaðgangi", "edit_profile.fields.locked_label": "Læsa notandaaðgangi",
"edit_profile.fields.meta_fields.content_placeholder": "Efni", "edit_profile.fields.meta_fields.content_placeholder": "Efni",
"edit_profile.fields.meta_fields.label_placeholder": "Skýringar", "edit_profile.fields.meta_fields.label_placeholder": "Skýringar",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Loka fyrir tilkynningar frá ókunnugum", "edit_profile.fields.stranger_notifications_label": "Loka fyrir tilkynningar frá ókunnugum",
"edit_profile.fields.website_label": "Vefsíða", "edit_profile.fields.website_label": "Vefsíða",
"edit_profile.fields.website_placeholder": "Sýna hlekk", "edit_profile.fields.website_placeholder": "Sýna hlekk",
@ -396,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF eða JPG. Verður minnkað að {size}", "edit_profile.hints.header": "PNG, GIF eða JPG. Verður minnkað að {size}",
"edit_profile.hints.hide_network": "Hverjir þú fylgist með og hverjir fylgja þér verða ekki sýndir á notandasniði þínu", "edit_profile.hints.hide_network": "Hverjir þú fylgist með og hverjir fylgja þér verða ekki sýndir á notandasniði þínu",
"edit_profile.hints.locked": "Krefst þess að þú samþykkir fylgjendur handvirkt", "edit_profile.hints.locked": "Krefst þess að þú samþykkir fylgjendur handvirkt",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Aðeins sýna tilkynningar frá fólki sem þú fylgist með", "edit_profile.hints.stranger_notifications": "Aðeins sýna tilkynningar frá fólki sem þú fylgist með",
"edit_profile.save": "Vista", "edit_profile.save": "Vista",
"edit_profile.success": "Notandasnið vistað!", "edit_profile.success": "Notandasnið vistað!",
"email_confirmation.success": "Your email has been confirmed!",
"email_passthru.confirmed.body": "Lokaðu þessum flipa og haltu áfram skráningarferlinu á {bold} sem þú sendir þennan tölvupóst staðfestingu frá.", "email_passthru.confirmed.body": "Lokaðu þessum flipa og haltu áfram skráningarferlinu á {bold} sem þú sendir þennan tölvupóst staðfestingu frá.",
"email_passthru.confirmed.heading": "Tölvupóstur staðfestur!", "email_passthru.confirmed.heading": "Tölvupóstur staðfestur!",
"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": "Vinsamlegast spyrðu um nýja staðfestingu í tölvupósti.", "email_passthru.generic_fail.body": "Vinsamlegast spyrðu um nýja staðfestingu í tölvupósti.",
"email_passthru.generic_fail.heading": "Eitthvað mistókst", "email_passthru.generic_fail.heading": "Eitthvað mistókst",
"email_passthru.success": "Your email has been verified!",
"email_passthru.token_expired.body": "Staðfestingarpósturinn er útrunninn. Vinsamlegast spyrðu um nýjan á {bold} sem þú sendir þennan tölvupóst staðfestingu frá..", "email_passthru.token_expired.body": "Staðfestingarpósturinn er útrunninn. Vinsamlegast spyrðu um nýjan á {bold} sem þú sendir þennan tölvupóst staðfestingu frá..",
"email_passthru.token_expired.heading": "Staðfestingarpósturinn er útrunninn", "email_passthru.token_expired.heading": "Staðfestingarpósturinn er útrunninn",
"email_passthru.token_not_found.body": "Kóði fannst ekki. Vinsamlegast spyrðu um nýjan á {bold} sem þú sendir þennan tölvupóst staðfestingu frá..", "email_passthru.token_not_found.body": "Kóði fannst ekki. Vinsamlegast spyrðu um nýjan á {bold} sem þú sendir þennan tölvupóst staðfestingu frá..",
"email_passthru.token_not_found.heading": "Ógildur kóði", "email_passthru.token_not_found.heading": "Ógildur kóði",
"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.",
"embed.instructions": "Felldu þessa færslu inn í vefsvæðið þitt með því að afrita kóðann hér fyrir neðan.", "embed.instructions": "Felldu þessa færslu inn í vefsvæðið þitt með því að afrita kóðann hér fyrir neðan.",
"embed.preview": "Svona mun hún líta út:",
"emoji_button.activity": "Virkni", "emoji_button.activity": "Virkni",
"emoji_button.custom": "Sérsniðnir", "emoji_button.custom": "Sérsniðnir",
"emoji_button.flags": "Fánar", "emoji_button.flags": "Fánar",
@ -439,14 +503,16 @@
"empty_column.filters": "Þú hefur ekki þagað niður í nein orð.", "empty_column.filters": "Þú hefur ekki þagað niður í nein orð.",
"empty_column.follow_recommendations": "Það virðist vera að ekki var hægt að búa til tillögur fyrir þig. Þú getur prófað að leita eftir fólki sem þú þekkir eða að skoða vinsæl myllumerki.", "empty_column.follow_recommendations": "Það virðist vera að ekki var hægt að búa til tillögur fyrir þig. Þú getur prófað að leita eftir fólki sem þú þekkir eða að skoða vinsæl myllumerki.",
"empty_column.follow_requests": "Þú hefur enga fylgjendabeiðnir. Þegar þú færð eina þá kemur hún hingað.", "empty_column.follow_requests": "Þú hefur enga fylgjendabeiðnir. Þegar þú færð eina þá kemur hún hingað.",
"empty_column.group": "Það er ekkert í þessum hópi ennþá. Þegar meðlimir þessa hóps setja inn nýjar færslur birtast þær hér.",
"empty_column.hashtag": "Þetta myllumerki er tómt.", "empty_column.hashtag": "Þetta myllumerki er tómt.",
"empty_column.home": "Heimatímalínan þín er tóm! Sjáðu {public} til að byrja og hitta aðra notendur.", "empty_column.home": "Heimatímalínan þín er tóm! Sjáðu {public} til að byrja og hitta aðra notendur.",
"empty_column.home.local_tab": "{site_title} flipi", "empty_column.home.local_tab": "{site_title} flipi",
"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.list": "Þessi listi er tómur. Þegar meðlimir þessa lista búa til nýjar færslur þá birstað þær hér.", "empty_column.list": "Þessi listi er tómur. Þegar meðlimir þessa lista búa til nýjar færslur þá birstað þær hér.",
"empty_column.lists": "Þú ert ekki með neina lista. Þegar þú býrð til einn þá birtist hann hér.", "empty_column.lists": "Þú ert ekki með neina lista. Þegar þú býrð til einn þá birtist hann hér.",
"empty_column.mutes": "Þú hefur ekki þagað neina notendur.", "empty_column.mutes": "Þú hefur ekki þagað neina notendur.",
"empty_column.notifications": "Þú hefur engar tilkynningar. Hafðu samskipti við aðra til að hefja samtalið.", "empty_column.notifications": "Þú hefur engar tilkynningar. Hafðu samskipti við aðra til að hefja samtalið.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Hér er ekkert! Skrifaðu eitthvað opinberlega eða fylgdu notendum frá öðrum netþjónum handvirkt til að fá færslur hér.", "empty_column.public": "Hér er ekkert! Skrifaðu eitthvað opinberlega eða fylgdu notendum frá öðrum netþjónum handvirkt til að fá færslur hér.",
"empty_column.remote": "Hér er ekkert! Fylgdu notendum frá {instance} handvirkt til að fá færslur hér.", "empty_column.remote": "Hér er ekkert! Fylgdu notendum frá {instance} handvirkt til að fá færslur hér.",
"empty_column.scheduled_statuses": "Þú ert ekki með neinar skipulagðar stöður. Þegar þú bætir eina við birtist hún hér.", "empty_column.scheduled_statuses": "Þú ert ekki með neinar skipulagðar stöður. Þegar þú bætir eina við birtist hún hér.",
@ -479,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Ekki sýna aftur", "fediverse_tab.explanation_box.dismiss": "Ekki sýna aftur",
"fediverse_tab.explanation_box.explanation": "{site_title} er hluti af Fediheiminum, samfélagsnet sem samanstendur af þúsundum samfélagsmiðlum. Færslurnar sem þú sérð hér eru frá öðrum netþjónum. Þú hefur frelsi til að eiga samskipti við þá eða loka á hvaða netþjóna sem þér líkar ekki. Veittu athygli að fullu notendanafni á eftir öðru @ tákninu til að vita frá hvaða netþjóni færslan er. Til að sjá aðeins {site_title} færslur skaltu fara á {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} er hluti af Fediheiminum, samfélagsnet sem samanstendur af þúsundum samfélagsmiðlum. Færslurnar sem þú sérð hér eru frá öðrum netþjónum. Þú hefur frelsi til að eiga samskipti við þá eða loka á hvaða netþjóna sem þér líkar ekki. Veittu athygli að fullu notendanafni á eftir öðru @ tákninu til að vita frá hvaða netþjóni færslan er. Til að sjá aðeins {site_title} færslur skaltu fara á {local}.",
"fediverse_tab.explanation_box.title": "Hvað er Fediheimurinn?", "fediverse_tab.explanation_box.title": "Hvað er Fediheimurinn?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Síu bætt við", "filters.added": "Síu bætt við",
"filters.context_header": "Samhengi síu", "filters.context_header": "Samhengi síu",
"filters.context_hint": "Eitt eða fleiri samhengi þar sem sían ætti að gilda", "filters.context_hint": "Eitt eða fleiri samhengi þar sem sían ætti að gilda",
@ -490,34 +558,14 @@
"filters.filters_list_phrase_label": "Orð eða setning:", "filters.filters_list_phrase_label": "Orð eða setning:",
"filters.filters_list_whole-word": "Heilt orð", "filters.filters_list_whole-word": "Heilt orð",
"filters.removed": "Síu eytt", "filters.removed": "Síu eytt",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Lokið",
"follow_recommendations.heading": "Fylgdu fólki sem þú vilt sjá færslur frá! Hér eru nokkrar tillögur.",
"follow_recommendations.lead": "Færslur frá fólki sem þú fylgist með munu birtast í tímaröð á heimastraumnum þínum. Ekki hafa áhyggjur við að gera mistök, þú getur hætt að fylgja fólki alveg eins auðveldlega og hvenær sem er!",
"follow_request.authorize": "Leyfa", "follow_request.authorize": "Leyfa",
"follow_request.reject": "Neita", "follow_request.reject": "Neita",
"forms.copy": "Afrita", "gdpr.accept": "Accept",
"forms.hide_password": "Fela lykilorð", "gdpr.learn_more": "Learn more",
"forms.show_password": "Sýna lykilorð", "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} er opinn og frjáls hugbúnaður. Þú getur lagt þitt af mörkum eða tilkynnt um vandamál á {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} er opinn og frjáls hugbúnaður. Þú getur lagt þitt af mörkum eða tilkynnt um vandamál á {code_link} (v{code_version}).",
"group.members.empty": "Þessi hópur hefur enga meðlimi.",
"group.removed_accounts.empty": "Þessi hópur er ekki með fjarlægða notendur.",
"groups.card.join": "Ganga í hóp",
"groups.card.members": "Meðlimir",
"groups.card.roles.admin": "Þú ert stjórnandi",
"groups.card.roles.member": "Þú ert meðlimi",
"groups.card.view": "Skoða",
"groups.create": "Skapa hóp",
"groups.form.coverImage": "Hlaða upp nýjan síðuhaus (valfrjálst)",
"groups.form.coverImageChange": "Síðuhaus valinn",
"groups.form.create": "Skapa hóp",
"groups.form.description": "Lýsing",
"groups.form.title": "Heiti",
"groups.form.update": "Uppfæra hóp",
"groups.removed_accounts": "Fjarlægðir reikningar",
"groups.tab_admin": "Stjórna",
"groups.tab_featured": "Valið",
"groups.tab_member": "Meðlimi",
"hashtag.column_header.tag_mode.all": "og {additional}", "hashtag.column_header.tag_mode.all": "og {additional}",
"hashtag.column_header.tag_mode.any": "eða {additional}", "hashtag.column_header.tag_mode.any": "eða {additional}",
"hashtag.column_header.tag_mode.none": "án {additional}", "hashtag.column_header.tag_mode.none": "án {additional}",
@ -526,6 +574,7 @@
"header.login.label": "Skrá inn", "header.login.label": "Skrá inn",
"header.login.password.label": "Lykilorð", "header.login.password.label": "Lykilorð",
"header.login.username.placeholder": "Netfang eða notandanafn", "header.login.username.placeholder": "Netfang eða notandanafn",
"header.menu.title": "Open menu",
"header.register.label": "Nýskrá", "header.register.label": "Nýskrá",
"home.column_settings.show_reblogs": "Sýna endurbirtingar", "home.column_settings.show_reblogs": "Sýna endurbirtingar",
"home.column_settings.show_replies": "Sýna svör", "home.column_settings.show_replies": "Sýna svör",
@ -545,6 +594,7 @@
"import_data.success.blocks": "Útilokaðir notendur fluttir inn", "import_data.success.blocks": "Útilokaðir notendur fluttir inn",
"import_data.success.followers": "Notendur í fylgi fluttir inn", "import_data.success.followers": "Notendur í fylgi fluttir inn",
"import_data.success.mutes": "Þaggaðir notendur fluttir inn", "import_data.success.mutes": "Þaggaðir notendur fluttir inn",
"input.copy": "Copy",
"input.password.hide_password": "Fela lykilorð", "input.password.hide_password": "Fela lykilorð",
"input.password.show_password": "Sýna lykilorð", "input.password.show_password": "Sýna lykilorð",
"intervals.full.days": "Fyrir {number, plural, one {# degi} other {# dögum}} síðan", "intervals.full.days": "Fyrir {number, plural, one {# degi} other {# dögum}} síðan",
@ -606,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Skrá inn", "login.log_in": "Skrá inn",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Ertu í vandræðum með að skrá þig inn?", "login.reset_password_hint": "Ertu í vandræðum með að skrá þig inn?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Víxla sýnileika", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "Engar myndskrár fannst", "media_panel.empty_message": "Engar myndskrár fannst",
"media_panel.title": "Myndskrár", "media_panel.title": "Myndskrár",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth.", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth.",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -629,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "Þetta mun færa fylgjendur þína yfir á nýja reikninginn. Engin önnur gögn verða flutt. Til að framkvæma flutning þarftu fyrst að {link} á nýja reikningnum þínum.", "migration.hint": "Þetta mun færa fylgjendur þína yfir á nýja reikninginn. Engin önnur gögn verða flutt. Til að framkvæma flutning þarftu fyrst að {link} á nýja reikningnum þínum.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "skaða notandasamnefni", "migration.hint.link": "skaða notandasamnefni",
"migration.move_account.fail": "Mistókst að flytja reikning.", "migration.move_account.fail": "Mistókst að flytja reikning.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Tókst að flytja reikning.", "migration.move_account.success": "Tókst að flytja reikning.",
"migration.submit": "Flytja fylgendur", "migration.submit": "Flytja fylgendur",
"missing_description_modal.cancel": "Hætta við", "missing_description_modal.cancel": "Hætta við",
@ -639,21 +696,32 @@
"missing_description_modal.text": "Þú hefur ekki slegið inn lýsingu fyrir öll viðhengi. Halda samt áfram?", "missing_description_modal.text": "Þú hefur ekki slegið inn lýsingu fyrir öll viðhengi. Halda samt áfram?",
"missing_indicator.label": "Fannst ekki", "missing_indicator.label": "Fannst ekki",
"missing_indicator.sublabel": "Tilfangið fannst ekki", "missing_indicator.sublabel": "Tilfangið fannst ekki",
"mobile.also_available": "Fæst á:", "moderation_overlay.contact": "Contact",
"moderation_overlay.hide": "Hide content",
"moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Fela tilkynningar frá þessum notanda?", "mute_modal.hide_notifications": "Fela tilkynningar frá þessum notanda?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Spjöll", "navigation.chats": "Spjöll",
"navigation.compose": "Skrifa", "navigation.compose": "Skrifa",
"navigation.dashboard": "Skjáborð", "navigation.dashboard": "Skjáborð",
"navigation.developers": "Forritarar", "navigation.developers": "Forritarar",
"navigation.direct_messages": "Skilaboð", "navigation.direct_messages": "Skilaboð",
"navigation.home": "Heima", "navigation.home": "Heima",
"navigation.invites": "Boð",
"navigation.notifications": "Tilkynningar", "navigation.notifications": "Tilkynningar",
"navigation.search": "Leita", "navigation.search": "Leita",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Flytja reikningi", "navigation_bar.account_migration": "Flytja reikningi",
"navigation_bar.blocks": "Útilokaðir notendur", "navigation_bar.blocks": "Útilokaðir notendur",
"navigation_bar.compose": "Semja nýja færslu", "navigation_bar.compose": "Semja nýja færslu",
"navigation_bar.compose_direct": "Bein skilaboð", "navigation_bar.compose_direct": "Bein skilaboð",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Svara færslu", "navigation_bar.compose_reply": "Svara færslu",
"navigation_bar.domain_blocks": "Útilokuð lén", "navigation_bar.domain_blocks": "Útilokuð lén",
@ -668,23 +736,49 @@
"navigation_bar.preferences": "Kjörstillingar", "navigation_bar.preferences": "Kjörstillingar",
"navigation_bar.profile_directory": "Notandasniðamappa", "navigation_bar.profile_directory": "Notandasniðamappa",
"navigation_bar.soapbox_config": "Stillingar Soapbox", "navigation_bar.soapbox_config": "Stillingar Soapbox",
"notification.favourite": "{name} liked your post",
"notification.follow": "{name} followed you",
"notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} minntist á þig", "notification.mention": "{name} minntist á þig",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} reposted your post",
"notification.status": "{name} just posted",
"notification.update": "{name} edited a post you interacted with",
"notification.user_approved": "Welcome to {instance}!",
"notifications.filter.all": "Allt", "notifications.filter.all": "Allt",
"notifications.filter.boosts": "Endurbirt", "notifications.filter.boosts": "Endurbirt",
"notifications.filter.emoji_reacts": "Bætt við broskarl", "notifications.filter.emoji_reacts": "Bætt við broskarl",
"notifications.filter.favourites": "Bætt við í eftirlæti", "notifications.filter.favourites": "Bætt við í eftirlæti",
"notifications.filter.follows": "Fylgst er með", "notifications.filter.follows": "Fylgst er með",
"notifications.filter.mentions": "Minnst er á", "notifications.filter.mentions": "Minnst er á",
"notifications.filter.moves": "Flutningar",
"notifications.filter.polls": "Niðurstöður könnunar", "notifications.filter.polls": "Niðurstöður könnunar",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} tilkynningar", "notifications.group": "{count} tilkynningar",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Skemmtu þér bara.", "onboarding.avatar.subtitle": "Skemmtu þér bara.",
"onboarding.avatar.title": "Veldu notandamynd", "onboarding.avatar.title": "Veldu notandamynd",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "Þú getur alltaf breytt þessu seinna.", "onboarding.display_name.subtitle": "Þú getur alltaf breytt þessu seinna.",
"onboarding.display_name.title": "Veldur birtingarnafn", "onboarding.display_name.title": "Veldur birtingarnafn",
"onboarding.done": "Komið", "onboarding.done": "Komið",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "Við erum mjög spennt að bjóða þig velkomin(n) í samfélagið okkar! Ýttu á hnappinn hér að neðan til að byrja.", "onboarding.finished.message": "Við erum mjög spennt að bjóða þig velkomin(n) í samfélagið okkar! Ýttu á hnappinn hér að neðan til að byrja.",
"onboarding.finished.title": "Innganga búin", "onboarding.finished.title": "Innganga búin",
"onboarding.header.subtitle": "Þetta mun birtast efst á notandasniði þínu.", "onboarding.header.subtitle": "Þetta mun birtast efst á notandasniði þínu.",
@ -699,13 +793,18 @@
"onboarding.view_feed": "Skoða streymi", "onboarding.view_feed": "Skoða streymi",
"password_reset.confirmation": "Athugaðu staðfestingarpóstinn.", "password_reset.confirmation": "Athugaðu staðfestingarpóstinn.",
"password_reset.fields.username_placeholder": "Netfang eða notandanafn", "password_reset.fields.username_placeholder": "Netfang eða notandanafn",
"password_reset.header": "Reset Password",
"password_reset.reset": "Endurstilla lykilorð", "password_reset.reset": "Endurstilla lykilorð",
"patron.donate": "Gefa", "patron.donate": "Gefa",
"patron.title": "Fjármögnunarmarkmið", "patron.title": "Fjármögnunarmarkmið",
"pinned_accounts.title": "Völ {name}", "pinned_accounts.title": "Völ {name}",
"pinned_statuses.none": "Engar festar færslur til að sýna", "pinned_statuses.none": "Engar festar færslur til að sýna",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Lokuð", "poll.closed": "Lokuð",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Endurlesa", "poll.refresh": "Endurlesa",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# atkvæði} other {# atkvæði}}", "poll.total_votes": "{count, plural, one {# atkvæði} other {# atkvæði}}",
"poll.vote": "Greiða atkvæði", "poll.vote": "Greiða atkvæði",
"poll.voted": "Þú kaust þetta svar", "poll.voted": "Þú kaust þetta svar",
@ -713,17 +812,35 @@
"poll_button.add_poll": "Bæta við könnun", "poll_button.add_poll": "Bæta við könnun",
"poll_button.remove_poll": "Fjarlægja könnun", "poll_button.remove_poll": "Fjarlægja könnun",
"preferences.fields.auto_play_gif_label": "Spila GIF hreyfimyndir sjálfvirkt", "preferences.fields.auto_play_gif_label": "Spila GIF hreyfimyndir sjálfvirkt",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Hlaða sjálfkrafa nýju efni þegar þú er neðst á síðu", "preferences.fields.autoload_more_label": "Hlaða sjálfkrafa nýju efni þegar þú er neðst á síðu",
"preferences.fields.autoload_timelines_label": "Hlaða sjálfkrafa nýjum færslum þegar þú er efst á síðu", "preferences.fields.autoload_timelines_label": "Hlaða sjálfkrafa nýjum færslum þegar þú er efst á síðu",
"preferences.fields.boost_modal_label": "Sýna staðfestingarglugga áður en að endurbirta færslu", "preferences.fields.boost_modal_label": "Sýna staðfestingarglugga áður en að endurbirta færslu",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Sýna staðfestingarglugga áður en að eyða færslu", "preferences.fields.delete_modal_label": "Sýna staðfestingarglugga áður en að eyða færslu",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Fela myndefni sem merkt er viðkvæmt", "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.hide_all": "Alltaf fela myndefni",
"preferences.fields.display_media.show_all": "Alltaf birta 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.expand_spoilers_label": "Alltaf birta myndefni sem merkt er viðkvæmt",
"preferences.fields.language_label": "Tungumál", "preferences.fields.language_label": "Tungumál",
"preferences.fields.media_display_label": "Birting myndefnis", "preferences.fields.media_display_label": "Birting myndefnis",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.hints.feed": "Í heimastreymi þínu",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Aðlaga gagnaleynd færslu", "privacy.change": "Aðlaga gagnaleynd færslu",
"privacy.direct.long": "Senda einungis á notendur sem minnst er á", "privacy.direct.long": "Senda einungis á notendur sem minnst er á",
"privacy.direct.short": "Bein", "privacy.direct.short": "Bein",
@ -735,15 +852,18 @@
"privacy.unlisted.short": "Óskráð", "privacy.unlisted.short": "Óskráð",
"profile_dropdown.add_account": "Bættu við núverandi reikningi", "profile_dropdown.add_account": "Bættu við núverandi reikningi",
"profile_dropdown.logout": "Skrá út @{acct}", "profile_dropdown.logout": "Skrá út @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Stillingar tímalínu fediheimsins",
"reactions.all": "Alla", "reactions.all": "Alla",
"regeneration_indicator.label": "Hleð inn…", "regeneration_indicator.label": "Hleð inn…",
"regeneration_indicator.sublabel": "Verið er að útbúa heimastreymið þitt!", "regeneration_indicator.sublabel": "Verið er að útbúa heimastreymið þitt!",
"register_invite.lead": "Fylltu út reitina hér að neðan til að búa til reikning.", "register_invite.lead": "Fylltu út reitina hér að neðan til að búa til reikning.",
"register_invite.title": "Þér hefur verið boðið að vera með {siteTitle}!", "register_invite.title": "Þér hefur verið boðið að vera með {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "Ég samþykki {tos}.", "registration.agreement": "Ég samþykki {tos}.",
"registration.captcha.hint": "Smelltu á myndina til að fá nýtt captcha", "registration.captcha.hint": "Smelltu á myndina til að fá nýtt captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} tekur ekki við nýja notendur", "registration.closed_message": "{instance} tekur ekki við nýja notendur",
"registration.closed_title": "Nýskráningar eru lokaðar", "registration.closed_title": "Nýskráningar eru lokaðar",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -752,13 +872,27 @@
"registration.fields.password_placeholder": "Lykilorð", "registration.fields.password_placeholder": "Lykilorð",
"registration.fields.username_hint": "Aðeins bókstafir, tölustafir og undirstrik eru leyfð.", "registration.fields.username_hint": "Aðeins bókstafir, tölustafir og undirstrik eru leyfð.",
"registration.fields.username_placeholder": "Notandanafn", "registration.fields.username_placeholder": "Notandanafn",
"registration.header": "Register your account",
"registration.newsletter": "Gerast áskrifandi að fréttabréfi.", "registration.newsletter": "Gerast áskrifandi að fréttabréfi.",
"registration.password_mismatch": "Lykilorð passa ekki saman.", "registration.password_mismatch": "Lykilorð passa ekki saman.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Af hverju viltu gerast meðlimi?", "registration.reason": "Af hverju viltu gerast meðlimi?",
"registration.reason_hint": "Þetta hjálpar okkur að fara yfir þína umsókn", "registration.reason_hint": "Þetta hjálpar okkur að fara yfir þína umsókn",
"registration.sign_up": "Nýskrá", "registration.sign_up": "Nýskrá",
"registration.tos": "Þjónustuskilmálar", "registration.tos": "Þjónustuskilmálar",
"registration.username_unavailable": "Notandanafnið er þegar í notkun.", "registration.username_unavailable": "Notandanafnið er þegar í notkun.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}d", "relative_time.days": "{number}d",
"relative_time.hours": "{number}klst", "relative_time.hours": "{number}klst",
"relative_time.just_now": "núna", "relative_time.just_now": "núna",
@ -790,16 +924,32 @@
"reply_mentions.account.remove": "Fjarlægja úr tilvísunum", "reply_mentions.account.remove": "Fjarlægja úr tilvísunum",
"reply_mentions.more": "{count} fleirum", "reply_mentions.more": "{count} fleirum",
"reply_mentions.reply": "<hover>Að svara</hover> {accounts}", "reply_mentions.reply": "<hover>Að svara</hover> {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Að svara færslu", "reply_mentions.reply_empty": "Að svara færslu",
"report.block": "Loka á {target}", "report.block": "Loka á {target}",
"report.block_hint": "Viltu líka loka á þennan reikning?", "report.block_hint": "Viltu líka loka á þennan reikning?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Áframsenda til {target}", "report.forward": "Áframsenda til {target}",
"report.forward_hint": "Reikningurinn er frá öðrum netþjóni. Senda líka afrit af skýrslunni þangað?", "report.forward_hint": "Reikningurinn er frá öðrum netþjóni. Senda líka afrit af skýrslunni þangað?",
"report.hint": "Skýrslan verður send til stjórnenda netþjónsins. Þú getur gefið skýringar á því hvers vegna þú kærir þennan reikning hér að neðan:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Viðbótarathugasemdir", "report.placeholder": "Viðbótarathugasemdir",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Senda inn", "report.submit": "Senda inn",
"report.target": "Að kæra {target}", "report.target": "Að kæra {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Stilla nýtt lykilorð", "reset_password.header": "Stilla nýtt lykilorð",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Færslu dagsetning/tími", "schedule.post_time": "Færslu dagsetning/tími",
"schedule.remove": "Eyða tímasetningu", "schedule.remove": "Eyða tímasetningu",
"schedule_button.add_schedule": "Tímasetja færslu síðar", "schedule_button.add_schedule": "Tímasetja færslu síðar",
@ -808,6 +958,7 @@
"search.action": "Leita eftir „{query}“", "search.action": "Leita eftir „{query}“",
"search.placeholder": "Search", "search.placeholder": "Search",
"search_results.accounts": "Fólk", "search_results.accounts": "Fólk",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Myllumerki", "search_results.hashtags": "Myllumerki",
"search_results.statuses": "Færslur", "search_results.statuses": "Færslur",
"security.codes.fail": "Mistókst að sækja varakóða", "security.codes.fail": "Mistókst að sækja varakóða",
@ -821,26 +972,50 @@
"security.fields.password.label": "Lykilorð", "security.fields.password.label": "Lykilorð",
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Eyða Reikningi", "security.headers.delete": "Eyða Reikningi",
"security.headers.tokens": "Sessions",
"security.qr.fail": "Mistókst að sækja uppsetningarlykil", "security.qr.fail": "Mistókst að sækja uppsetningarlykil",
"security.submit": "Lotur", "security.submit": "Lotur",
"security.submit.delete": "Eyða reikningi", "security.submit.delete": "Eyða reikningi",
"security.text.delete": "Til að eyða reikningnum þínum skaltu slá inn lykilorðið þitt og smella á Eyða reikningi. Þetta er varanleg aðgerð sem ekki er hægt að afturkalla. Reikningnum þínum verður eytt af þessum netþjóni og beiðni um eyðingu verður send til annarra netþjóna. Það er ekki tryggt að allir netþjónar hreinsi reikninginn þinn.", "security.text.delete": "Til að eyða reikningnum þínum skaltu slá inn lykilorðið þitt og smella á Eyða reikningi. Þetta er varanleg aðgerð sem ekki er hægt að afturkalla. Reikningnum þínum verður eytt af þessum netþjóni og beiðni um eyðingu verður send til annarra netþjóna. Það er ekki tryggt að allir netþjónar hreinsi reikninginn þinn.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke",
"security.update_email.fail": "Mistókst að uppfæra netfang.", "security.update_email.fail": "Mistókst að uppfæra netfang.",
"security.update_email.success": "Netfang uppfært.", "security.update_email.success": "Netfang uppfært.",
"security.update_password.fail": "Mistókst að uppfæra lykilorð.", "security.update_password.fail": "Mistókst að uppfæra lykilorð.",
"security.update_password.success": "Lykilorð uppfært.", "security.update_password.success": "Lykilorð uppfært.",
"settings.account_migration": "Move Account",
"settings.change_email": "Breyta netfangi", "settings.change_email": "Breyta netfangi",
"settings.change_password": "Breyta lykilorði", "settings.change_password": "Breyta lykilorði",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Eyða reikningi", "settings.delete_account": "Eyða reikningi",
"settings.edit_profile": "Breyta notandasniði", "settings.edit_profile": "Breyta notandasniði",
"settings.other": "Other options",
"settings.preferences": "Stillingar", "settings.preferences": "Stillingar",
"settings.profile": "Notandasnið", "settings.profile": "Notandasnið",
"settings.save.success": "Stillingar voru vistaðar.", "settings.save.success": "Stillingar voru vistaðar.",
"settings.security": "Öryggi", "settings.security": "Öryggi",
"settings.sessions": "Active sessions",
"settings.settings": "Stillingar", "settings.settings": "Stillingar",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Skráðu þig til að spjalla saman.", "signup_panel.subtitle": "Skráðu þig til að spjalla saman.",
"signup_panel.title": "Nýkomin(n) að {site_title}?", "signup_panel.title": "Nýkomin(n) að {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "Skoða", "snackbar.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_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.authenticated_profile_label": "Snið krefst auðkenningar",
@ -849,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -882,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "Meira", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "Loka á @{name}",
"status.bookmark": "Bókamerkja", "status.bookmark": "Bókamerkja",
"status.bookmarked": "Bókamerki bætt við.", "status.bookmarked": "Bókamerki bætt við.",
"status.cancel_reblog_private": "Afturkalla endurbirtingu", "status.cancel_reblog_private": "Afturkalla endurbirtingu",
@ -895,14 +1075,16 @@
"status.delete": "Eyða", "status.delete": "Eyða",
"status.detailed_status": "Nákvæm spjallþráðasýn", "status.detailed_status": "Nákvæm spjallþráðasýn",
"status.direct": "Bein skilaboð til @{name}", "status.direct": "Bein skilaboð til @{name}",
"status.edit": "Edit",
"status.embed": "Ívefja", "status.embed": "Ívefja",
"status.external": "View post on {domain}",
"status.favourite": "Setja í eftirlæti", "status.favourite": "Setja í eftirlæti",
"status.filtered": "Síað", "status.filtered": "Síað",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Hlaða inn meiru", "status.load_more": "Hlaða inn meiru",
"status.media_hidden": "Mynd er falin",
"status.mention": "Minnast á @{name}", "status.mention": "Minnast á @{name}",
"status.more": "Nánar", "status.more": "Nánar",
"status.mute": "Þagga niður í @{name}",
"status.mute_conversation": "Þagga niður í samtali", "status.mute_conversation": "Þagga niður í samtali",
"status.open": "Útliða þessa færslu", "status.open": "Útliða þessa færslu",
"status.pin": "Festa á notandasnið", "status.pin": "Festa á notandasnið",
@ -915,7 +1097,6 @@
"status.reactions.like": "Líkar við", "status.reactions.like": "Líkar við",
"status.reactions.open_mouth": "Undrandi", "status.reactions.open_mouth": "Undrandi",
"status.reactions.weary": "Þreyttur", "status.reactions.weary": "Þreyttur",
"status.reactions_expand": "Velja broskarl",
"status.read_more": "Frekari upplýsingar", "status.read_more": "Frekari upplýsingar",
"status.reblog": "Endurbirta", "status.reblog": "Endurbirta",
"status.reblog_private": "Endurbirta að upprunalegum áhorfendum", "status.reblog_private": "Endurbirta að upprunalegum áhorfendum",
@ -928,13 +1109,15 @@
"status.replyAll": "Svara þræði", "status.replyAll": "Svara þræði",
"status.report": "Kæra @{name}", "status.report": "Kæra @{name}",
"status.sensitive_warning": "Viðkvæmt efni", "status.sensitive_warning": "Viðkvæmt efni",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Deila", "status.share": "Deila",
"status.show_less": "Sýna minna",
"status.show_less_all": "Sýna minna fyrir allt", "status.show_less_all": "Sýna minna fyrir allt",
"status.show_more": "Sýna meira",
"status.show_more_all": "Sýna meira fyrir allt", "status.show_more_all": "Sýna meira fyrir allt",
"status.show_original": "Show original",
"status.title": "Færsla", "status.title": "Færsla",
"status.title_direct": "Bein skilaboð", "status.title_direct": "Bein skilaboð",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Fjarlægja bókamerki", "status.unbookmark": "Fjarlægja bókamerki",
"status.unbookmarked": "Bókamerki fjarlægt.", "status.unbookmarked": "Bókamerki fjarlægt.",
"status.unmute_conversation": "Hætta að þagga niður í samtali", "status.unmute_conversation": "Hætta að þagga niður í samtali",
@ -942,19 +1125,37 @@
"status_list.queue_label": "Smelltu til að sjá {count} {count, plural, one {nýja færslu} other {nýjar færslur}}", "status_list.queue_label": "Smelltu til að sjá {count} {count, plural, one {nýja færslu} other {nýjar færslur}}",
"statuses.quote_tombstone": "Færsla er ekki tiltæk.", "statuses.quote_tombstone": "Færsla er ekki tiltæk.",
"statuses.tombstone": "Ein eða fleiri færslur eru ekki tiltækar.", "statuses.tombstone": "Ein eða fleiri færslur eru ekki tiltækar.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Hunsa ábendingu", "suggestions.dismiss": "Hunsa ábendingu",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Allt", "tabs_bar.all": "Allt",
"tabs_bar.chats": "Spjöll", "tabs_bar.chats": "Spjöll",
"tabs_bar.dashboard": "Stjórnborð", "tabs_bar.dashboard": "Stjórnborð",
"tabs_bar.fediverse": "Samtengdir Vefþjónar", "tabs_bar.fediverse": "Samtengdir Vefþjónar",
"tabs_bar.home": "Heima", "tabs_bar.home": "Heima",
"tabs_bar.local": "Local",
"tabs_bar.more": "Meira", "tabs_bar.more": "Meira",
"tabs_bar.notifications": "Tilkynningar", "tabs_bar.notifications": "Tilkynningar",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Search", "tabs_bar.search": "Search",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Skipta yfir í dökka þemu", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Skipta yfir í ljósa þemu", "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",
"time_remaining.days": "{number, plural, one {# dagur} other {# dagar}} eftir", "time_remaining.days": "{number, plural, one {# dagur} other {# dagar}} eftir",
"time_remaining.hours": "{number, plural, one {# klukkustund} other {# klukkustundir}} eftir", "time_remaining.hours": "{number, plural, one {# klukkustund} other {# klukkustundir}} eftir",
"time_remaining.minutes": "{number, plural, one {# mínúta} other {# mínútur}} eftir", "time_remaining.minutes": "{number, plural, one {# mínúta} other {# mínútur}} eftir",
@ -962,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# sekúnda} other {# sekúndur}} eftir", "time_remaining.seconds": "{number, plural, one {# sekúnda} other {# sekúndur}} eftir",
"trends.count_by_accounts": "{count} {rawCount, plural, one {manneskja} other {manneskjur}} að tala", "trends.count_by_accounts": "{count} {rawCount, plural, one {manneskja} other {manneskjur}} að tala",
"trends.title": "Í umræðunni", "trends.title": "Í umræðunni",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Drögin tapast ef þú ferð", "ui.beforeunload": "Drögin tapast ef þú ferð",
"unauthorized_modal.text": "Þú þarft að vera skráður inn til að gera þetta.", "unauthorized_modal.text": "Þú þarft að vera skráður inn til að gera þetta.",
"unauthorized_modal.title": "Nýskrá á {site_title}", "unauthorized_modal.title": "Nýskrá á {site_title}",
@ -970,6 +1172,7 @@
"upload_error.image_size_limit": "Mynd fer yfir núverandi skráarstærðarmörk ({limit})", "upload_error.image_size_limit": "Mynd fer yfir núverandi skráarstærðarmörk ({limit})",
"upload_error.limit": "Fór yfir takmörk á innsendingum skráa.", "upload_error.limit": "Fór yfir takmörk á innsendingum skráa.",
"upload_error.poll": "Innsending skráa er ekki leyfð í könnunum.", "upload_error.poll": "Innsending skráa er ekki leyfð í könnunum.",
"upload_error.video_duration_limit": "Video exceeds the current duration limit ({limit} seconds)",
"upload_error.video_size_limit": "Myndband fer yfir núverandi skráarstærðarmörk ({limit})", "upload_error.video_size_limit": "Myndband fer yfir núverandi skráarstærðarmörk ({limit})",
"upload_form.description": "Lýstu þessu fyrir sjónskerta", "upload_form.description": "Lýstu þessu fyrir sjónskerta",
"upload_form.preview": "Forskoða", "upload_form.preview": "Forskoða",
@ -985,5 +1188,7 @@
"video.pause": "Gera hlé", "video.pause": "Gera hlé",
"video.play": "Spila", "video.play": "Spila",
"video.unmute": "Kveikja á hljóði", "video.unmute": "Kveikja á hljóði",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Hverjum á að fylgja" "who_to_follow.title": "Hverjum á að fylgja"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Nascondi tutto {domain}", "account.block_domain": "Nascondi tutto {domain}",
"account.blocked": "Bloccato", "account.blocked": "Bloccato",
"account.chat": "Chat con @{name}", "account.chat": "Chat con @{name}",
"account.column_settings.description": "Impostazioni applicate alle timeline di tutti gli account.",
"account.column_settings.title": "Impostazioni delle timeline Acccount",
"account.deactivated": "Disattivato", "account.deactivated": "Disattivato",
"account.direct": "Scrivi direttamente a @{name}", "account.direct": "Scrivi direttamente a @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Modifica profilo", "account.edit_profile": "Modifica profilo",
"account.endorse": "Metti in evidenza sul profilo", "account.endorse": "Metti in evidenza sul profilo",
"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.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Segui", "account.follow": "Segui",
"account.followers": "Follower", "account.followers": "Follower",
"account.followers.empty": "Nessun follower, per ora.", "account.followers.empty": "Nessun follower, per ora.",
"account.follows": "Follow", "account.follows": "Follow",
"account.follows.empty": "Nessun follow, per ora.", "account.follows.empty": "Nessun follow, per ora.",
"account.follows_you": "Ti segue", "account.follows_you": "Ti segue",
"account.header.alt": "Profile header",
"account.hide_reblogs": "Nascondi i ricondivisi di @{name}", "account.hide_reblogs": "Nascondi i ricondivisi di @{name}",
"account.last_status": "Ultima attività", "account.last_status": "Ultima attività",
"account.link_verified_on": "Link verificato il {date}", "account.link_verified_on": "Link verificato il {date}",
@ -30,36 +34,56 @@
"account.media": "Media", "account.media": "Media",
"account.member_since": "Insieme a noi da {date}", "account.member_since": "Insieme a noi da {date}",
"account.mention": "Menzionare", "account.mention": "Menzionare",
"account.moved_to": "{name} ha traslocato su:",
"account.mute": "Silenzia @{name}", "account.mute": "Silenzia @{name}",
"account.muted": "Muted",
"account.never_active": "Mai", "account.never_active": "Mai",
"account.posts": "Contenuti", "account.posts": "Contenuti",
"account.posts_with_replies": "Contenuti e risposte", "account.posts_with_replies": "Contenuti e risposte",
"account.profile": "Profilo", "account.profile": "Profilo",
"account.profile_external": "View profile on {domain}",
"account.register": "Iscriviti", "account.register": "Iscriviti",
"account.remote_follow": "Follow remoto", "account.remote_follow": "Follow remoto",
"account.remove_from_followers": "Remove this follower",
"account.report": "Segnala @{name}", "account.report": "Segnala @{name}",
"account.requested": "In attesa di approvazione", "account.requested": "In attesa di approvazione",
"account.requested_small": "In approvazione", "account.requested_small": "In approvazione",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "Condividi il profilo di @{name}", "account.share": "Condividi il profilo di @{name}",
"account.show_reblogs": "Mostra i ricondivisi da @{name}", "account.show_reblogs": "Mostra i ricondivisi da @{name}",
"account.subscribe": "Abbonati a @{name}", "account.subscribe": "Abbonati a @{name}",
"account.subscribed": "Abbonato", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Sblocca @{name}", "account.unblock": "Sblocca @{name}",
"account.unblock_domain": "Non nascondere {domain}", "account.unblock_domain": "Non nascondere {domain}",
"account.unendorse": "Non mettere in evidenza sul profilo", "account.unendorse": "Non mettere in evidenza sul profilo",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Non seguire più", "account.unfollow": "Non seguire più",
"account.unmute": "Non silenziare @{name}", "account.unmute": "Non silenziare @{name}",
"account.unsubscribe": "Disiscrivi l'abbonamento a @{name}", "account.unsubscribe": "Disiscrivi l'abbonamento a @{name}",
"account.unsubscribe.failure": "An error occurred trying to unsubscribe to this account.",
"account.unsubscribe.success": "You have unsubscribed from this account.",
"account.verified": "Verificato", "account.verified": "Verificato",
"account.welcome": "eccoti",
"account_gallery.none": "Nessun contenuto", "account_gallery.none": "Nessun contenuto",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "Annotazioni personali (non verranno mostrate a nessuno):", "account_note.hint": "Annotazioni personali (non verranno mostrate a nessuno):",
"account_note.placeholder": "Nessun commento", "account_note.placeholder": "Nessun commento",
"account_note.save": "Salva", "account_note.save": "Salva",
"account_note.target": "Note per @{target}", "account_note.target": "Note per @{target}",
"account_search.placeholder": "Cerca una persona", "account_search.placeholder": "Cerca una persona",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "Approvazione per {acct}!", "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.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}",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"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.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.browser": "Browser",
"alert.unexpected.clear_cookies": "cancellare i cookie e svuotare la cronologia di navigazione", "alert.unexpected.clear_cookies": "cancellare i cookie e svuotare la cronologia di navigazione",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "Nome della App", "app_create.name_label": "Nome della App",
"app_create.name_placeholder": "es.: Soapbox", "app_create.name_placeholder": "es.: Soapbox",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Credenziali non valide", "auth.invalid_credentials": "Credenziali non valide",
"auth.logged_out": "Arrivederci!", "auth.logged_out": "Arrivederci!",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Disponibile in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Compleanni", "birthday_panel.title": "Compleanni",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Puoi premere {combo} per saltare questo passaggio la prossima volta", "boost_modal.combo": "Puoi premere {combo} per saltare questo passaggio la prossima volta",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Errore durante il caricamento di questo componente.", "bundle_column_error.body": "Errore durante il caricamento di questo componente.",
"bundle_column_error.retry": "Riprova", "bundle_column_error.retry": "Riprova",
"bundle_column_error.title": "Errore di rete", "bundle_column_error.title": "Errore di rete",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Invia un messaggio…", "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.empty": "Non hai nessuna chat da visualizzare. Per iniziare a chiaccherare con qualcuno, visita il relativo profilo.",
"chat_panels.main_window.title": "Chat", "chat_panels.main_window.title": "Chat",
"chat_window.close": "Close chat",
"chats.actions.delete": "Elimina", "chats.actions.delete": "Elimina",
"chats.actions.more": "Altro", "chats.actions.more": "Altro",
"chats.actions.report": "Segnala...", "chats.actions.report": "Segnala...",
@ -198,11 +221,13 @@
"column.community": "Timeline locale", "column.community": "Timeline locale",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Messaggi diretti", "column.direct": "Messaggi diretti",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Domini nascosti", "column.domain_blocks": "Domini nascosti",
"column.edit_profile": "Modifica del profilo", "column.edit_profile": "Modifica del profilo",
"column.export_data": "Esportazione dati", "column.export_data": "Esportazione dati",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Richieste di amicizia", "column.follow_requests": "Richieste di amicizia",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Home", "column.home": "Home",
"column.import_data": "Importazione dati", "column.import_data": "Importazione dati",
"column.info": "Informazioni server", "column.info": "Informazioni server",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Pubblicazioni programmate", "column.scheduled_statuses": "Pubblicazioni programmate",
"column.search": "Cerca", "column.search": "Cerca",
"column.security": "Impostazioni di sicurezza",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Indietro", "column_back_button.label": "Indietro",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Mostra impostazioni",
"common.cancel": "Annulla", "common.cancel": "Annulla",
"community.column_settings.media_only": "Solo media", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Stai usando {chars} di {maxChars} caratteri", "compose.character_counter.title": "Stai usando {chars} di {maxChars} caratteri",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Spedizione avvenuta!", "compose.submit_success": "Spedizione 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.direct_message_warning": "Stai scrivendo solo alle persone menzionate, ma ricorda che gli amministratori delle istanze coinvolte potrebbero comunque leggere il messaggio.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "A cosa sto pensando?", "compose_form.placeholder": "A cosa sto pensando?",
"compose_form.poll.add_option": "Opzione aggiuntiva", "compose_form.poll.add_option": "Opzione aggiuntiva",
"compose_form.poll.duration": "Durata del sondaggio", "compose_form.poll.duration": "Durata del sondaggio",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Opzione {number}", "compose_form.poll.option_placeholder": "Opzione {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Rimuovi questa opzione", "compose_form.poll.remove_option": "Rimuovi questa opzione",
"compose_form.poll.switch_to_multiple": "Clicca per avere scelte multiple", "compose_form.poll.switch_to_multiple": "Clicca per avere scelte multiple",
"compose_form.poll.switch_to_single": "Clicca per avere una sola scelta", "compose_form.poll.switch_to_single": "Clicca per avere una sola scelta",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Pubblica", "compose_form.publish": "Pubblica",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Programma", "compose_form.schedule": "Programma",
"compose_form.scheduled_statuses.click_here": "contenuti programmati", "compose_form.scheduled_statuses.click_here": "contenuti programmati",
"compose_form.scheduled_statuses.message": "Ci sono {click_here} nel futuro", "compose_form.scheduled_statuses.message": "Ci sono {click_here} nel futuro",
"compose_form.sensitive.hide": "Segna media come sensibile (NSFW)",
"compose_form.sensitive.marked": "Questo media è contrassegnato come sensibile (NSFW)",
"compose_form.sensitive.unmarked": "Questo media non è contrassegnato come sensibile (NSFW)",
"compose_form.spoiler.marked": "Contenuto sensibile nascosto(CW)", "compose_form.spoiler.marked": "Contenuto sensibile nascosto(CW)",
"compose_form.spoiler.unmarked": "Contenuto non sensibile", "compose_form.spoiler.unmarked": "Contenuto non sensibile",
"compose_form.spoiler_placeholder": "Avvertimento per contenuto sensibile", "compose_form.spoiler_placeholder": "Avvertimento per contenuto sensibile",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Annulla", "confirmation_modal.cancel": "Annulla",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Blocca", "confirmations.block.confirm": "Blocca",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "Vuoi davvero bloccare {name}?", "confirmations.block.message": "Vuoi davvero bloccare {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Elimina", "confirmations.delete.confirm": "Elimina",
"confirmations.delete.heading": "Elimina contenuto", "confirmations.delete.heading": "Elimina contenuto",
"confirmations.delete.message": "Vuoi davvero eliminare questo contenuto?", "confirmations.delete.message": "Vuoi davvero eliminare questo contenuto?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Controlla la tua casella di posta {email} abbiamo spedito le istruzioni per confermare la tua iscrizione.", "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.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.reply.confirm": "Rispondi", "confirmations.reply.confirm": "Rispondi",
"confirmations.reply.message": "Se rispondi ora, il messaggio che stai componendo verrà sostituito. Confermi?", "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.scheduled_status_delete.confirm": "Elimina", "confirmations.scheduled_status_delete.confirm": "Elimina",
"confirmations.scheduled_status_delete.heading": "Elimina contenuto programmato", "confirmations.scheduled_status_delete.heading": "Elimina contenuto programmato",
"confirmations.scheduled_status_delete.message": "Vuoi davvero eliminare questo contenuto programmato?", "confirmations.scheduled_status_delete.message": "Vuoi davvero eliminare questo contenuto programmato?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!",
"datepicker.day": "Day",
"datepicker.hint": "Programmato per la pubblicazione alle…", "datepicker.hint": "Programmato per la pubblicazione alle…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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": "Comunica privatamente a …", "direct.search_placeholder": "Comunica privatamente a …",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Profilo riservato", "edit_profile.fields.locked_label": "Profilo riservato",
"edit_profile.fields.meta_fields.content_placeholder": "Valore", "edit_profile.fields.meta_fields.content_placeholder": "Valore",
"edit_profile.fields.meta_fields.label_placeholder": "Etichetta", "edit_profile.fields.meta_fields.label_placeholder": "Etichetta",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Ignora le notifiche dagli sconosciuti", "edit_profile.fields.stranger_notifications_label": "Ignora le notifiche dagli sconosciuti",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF o JPG. Verrà ridimensionato: {size}", "edit_profile.hints.header": "PNG, GIF o JPG. Verrà ridimensionato: {size}",
"edit_profile.hints.hide_network": "Evita di mostrare i follow ed i follower nel profilo pubblico", "edit_profile.hints.hide_network": "Evita di mostrare i follow ed i follower nel profilo pubblico",
"edit_profile.hints.locked": "Approva manualmente le richieste dei follower", "edit_profile.hints.locked": "Approva manualmente le richieste dei follower",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Per ricevere notifiche solamente dalle persone che segui", "edit_profile.hints.stranger_notifications": "Per ricevere notifiche solamente dalle persone che segui",
"edit_profile.save": "Salva", "edit_profile.save": "Salva",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Inserisci questo status nel tuo sito copiando il codice qui sotto.", "embed.instructions": "Inserisci questo status nel tuo sito copiando il codice qui sotto.",
"embed.preview": "Ecco come apparirà:",
"emoji_button.activity": "Attività", "emoji_button.activity": "Attività",
"emoji_button.custom": "Personalizzato", "emoji_button.custom": "Personalizzato",
"emoji_button.flags": "Bandiere", "emoji_button.flags": "Bandiere",
@ -448,20 +503,23 @@
"empty_column.filters": "Non hai ancora filtrato alcuna parola", "empty_column.filters": "Non hai ancora filtrato alcuna parola",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Non hai ancora ricevuto nessuna richiesta di seguirti. Quando ne arriveranno, saranno mostrate qui.", "empty_column.follow_requests": "Non hai ancora ricevuto nessuna richiesta di seguirti. Quando ne arriveranno, saranno mostrate qui.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Non c'è ancora nessun post con questo hashtag.", "empty_column.hashtag": "Non c'è ancora nessun post con questo hashtag.",
"empty_column.home": "Non stai ancora seguendo nessuno. Visita {public} o usa la ricerca per incontrare nuove persone.", "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.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.list": "Questa lista è vuota, si riempirà quando le persone che hai inserito pubblicheranno contenuti", "empty_column.list": "Questa lista è vuota, si riempirà quando le persone che hai inserito pubblicheranno contenuti",
"empty_column.lists": "Non hai creato alcuna lista. Al momento opportuno, compariranno qui", "empty_column.lists": "Non hai creato alcuna lista. Al momento opportuno, compariranno qui",
"empty_column.mutes": "Non hai ancora silenziato nessuna persona", "empty_column.mutes": "Non hai ancora silenziato nessuna persona",
"empty_column.notifications": "Non hai ancora nessuna notifica. Interagisci con altri per iniziare conversazioni.", "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.public": "Qui non c'è nulla! Per riempire questo spazio puoi scrivere qualcosa pubblicamente o seguire qualche persona da altre istanze", "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.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "Non hai ancora programmato alcuna pubblicazione, quando succederà, saranno elencate qui", "empty_column.scheduled_statuses": "Non hai ancora programmato alcuna pubblicazione, quando succederà, saranno elencate qui",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Esporta", "export_data.actions.export": "Esporta",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Non mostrare più", "fediverse_tab.explanation_box.dismiss": "Non mostrare più",
"fediverse_tab.explanation_box.explanation": "{site_title} è una «istanza» che fa parte del «Fediverso». Significa che siamo collegati a migliaia di altri micro social network indipendenti, per formarne uno grande, globale. I contenuti che vedi qui arrivano dall'esterno, hai la libertà di interagire con loro o di bloccare quel che non ti piace. Fai attenzione al nome completo dopo la seconda @ (chiocciola) per scoprire da quale istanza proviene. Se vuoi soltanto vedere {site_title}, allora apri {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} è una «istanza» che fa parte del «Fediverso». Significa che siamo collegati a migliaia di altri micro social network indipendenti, per formarne uno grande, globale. I contenuti che vedi qui arrivano dall'esterno, hai la libertà di interagire con loro o di bloccare quel che non ti piace. Fai attenzione al nome completo dopo la seconda @ (chiocciola) per scoprire da quale istanza proviene. Se vuoi soltanto vedere {site_title}, allora apri {local}.",
"fediverse_tab.explanation_box.title": "Che cos'è il Fediverso?", "fediverse_tab.explanation_box.title": "Che cos'è il Fediverso?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Aggiunto un nuovo filtro", "filters.added": "Aggiunto un nuovo filtro",
"filters.context_header": "Contesto del filtro", "filters.context_header": "Contesto del filtro",
"filters.context_hint": "Seleziona uno o più contesti a cui applicare il filtro", "filters.context_hint": "Seleziona uno o più contesti a cui applicare il filtro",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Parola chiave o frase:", "filters.filters_list_phrase_label": "Parola chiave o frase:",
"filters.filters_list_whole-word": "Parola intera", "filters.filters_list_whole-word": "Parola intera",
"filters.removed": "Filtraggio rimosso", "filters.removed": "Filtraggio rimosso",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Autorizza", "follow_request.authorize": "Autorizza",
"follow_request.reject": "Rifiuta", "follow_request.reject": "Rifiuta",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} è un software open source. Puoi contribuire o segnalare errori su GitLab all'indirizzo {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} è un software open source. Puoi contribuire o segnalare errori su GitLab all'indirizzo {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "Mostra",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "e {additional}", "hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "o {additional}", "hashtag.column_header.tag_mode.any": "o {additional}",
"hashtag.column_header.tag_mode.none": "senza {additional}", "hashtag.column_header.tag_mode.none": "senza {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Entra", "header.login.label": "Entra",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email o username", "header.login.username.placeholder": "Email o username",
"header.menu.title": "Open menu",
"header.register.label": "Iscrizione", "header.register.label": "Iscrizione",
"home.column_settings.show_direct": "Visualizza i messaggi diretti",
"home.column_settings.show_reblogs": "Visualizza contenuti ricondivisi", "home.column_settings.show_reblogs": "Visualizza contenuti ricondivisi",
"home.column_settings.show_replies": "Visualizza le risposte", "home.column_settings.show_replies": "Visualizza le risposte",
"home.column_settings.title": "Preferenze pagina iniziale",
"icon_button.icons": "Icone", "icon_button.icons": "Icone",
"icon_button.label": "Seleziona icona", "icon_button.label": "Seleziona icona",
"icon_button.not_found": "Nessuna icona?! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "Nessuna icona?! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Confermato! Hai importato le persone bloccate", "import_data.success.blocks": "Confermato! Hai importato le persone bloccate",
"import_data.success.followers": "Confermato! Hai importato le follow", "import_data.success.followers": "Confermato! Hai importato le follow",
"import_data.success.mutes": "Confermato! Hai importato le persone silenziate", "import_data.success.mutes": "Confermato! Hai importato le persone silenziate",
"input.copy": "Copy",
"input.password.hide_password": "Nascondi la password", "input.password.hide_password": "Nascondi la password",
"input.password.show_password": "Mostra la password", "input.password.show_password": "Mostra la password",
"intervals.full.days": "{number, plural, one {# giorno} other {# giorni}}", "intervals.full.days": "{number, plural, one {# giorno} other {# giorni}}",
"intervals.full.hours": "{number, plural, one {# ora} other {# ore}}", "intervals.full.hours": "{number, plural, one {# ora} other {# ore}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minuti}}", "intervals.full.minutes": "{number, plural, one {# minuto} other {# minuti}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Partiamo!",
"introduction.welcome.headline": "Primi passi",
"introduction.welcome.text": "Eccoti nel fediverso! Tra poco sarai in grado di spedire messaggi e comunicare con persone residenti in altre istanze. Ma questa istanza, {domain}, è speciale perché ospita il tuo profilo, quindi ricorda questo nome!",
"keyboard_shortcuts.back": "per tornare indietro", "keyboard_shortcuts.back": "per tornare indietro",
"keyboard_shortcuts.blocked": "per aprire l'elenco delle persone bloccate", "keyboard_shortcuts.blocked": "per aprire l'elenco delle persone bloccate",
"keyboard_shortcuts.boost": "per condividere", "keyboard_shortcuts.boost": "per condividere",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email o username", "login.fields.username_label": "Email o username",
"login.log_in": "Entra", "login.log_in": "Entra",
"login.otp_log_in": "Accesso con OTP", "login.otp_log_in": "Accesso con OTP",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Password dimenticata?", "login.reset_password_hint": "Password dimenticata?",
"login.sign_in": "Entra", "login.sign_in": "Entra",
"media_gallery.toggle_visible": "Imposta visibilità", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "Non ha caricato niente", "media_panel.empty_message": "Non ha caricato niente",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "Autenticazione a due fattori, attivata!", "mfa.confirm.success_message": "Autenticazione a due fattori, attivata!",
"mfa.disable.success_message": "Autenticazione a due fattori, disattivata!", "mfa.disable.success_message": "Autenticazione a due fattori, disattivata!",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Digita la password per interrompere il sistema di autenticazione a due fattori.", "mfa.mfa_disable_enter_password": "Digita la password per interrompere il sistema di autenticazione a due fattori.",
"mfa.mfa_setup.code_hint": "Digita il codice OTP ricevuto dalla app di gestione autenticazione a due fattori.", "mfa.mfa_setup.code_hint": "Digita il codice OTP ricevuto dalla app di gestione autenticazione a due fattori.",
"mfa.mfa_setup.code_placeholder": "Codice OTP", "mfa.mfa_setup.code_placeholder": "Codice OTP",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Non trovato", "missing_indicator.label": "Non trovato",
"missing_indicator.sublabel": "Risorsa non trovata", "missing_indicator.sublabel": "Risorsa non trovata",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Nascondere le notifiche da questa persona?", "mute_modal.hide_notifications": "Nascondere le notifiche da questa persona?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chat", "navigation.chats": "Chat",
"navigation.compose": "Scrivi subito", "navigation.compose": "Scrivi subito",
"navigation.dashboard": "Cruscotto", "navigation.dashboard": "Cruscotto",
"navigation.developers": "Sviluppatori", "navigation.developers": "Sviluppatori",
"navigation.direct_messages": "Messaggi diretti", "navigation.direct_messages": "Messaggi diretti",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Cerca", "navigation.search": "Cerca",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Persone bloccate", "navigation_bar.blocks": "Persone bloccate",
"navigation_bar.compose": "Scrivi il tuo contenuto", "navigation_bar.compose": "Scrivi il tuo contenuto",
"navigation_bar.compose_direct": "Comunica privatamente", "navigation_bar.compose_direct": "Comunica privatamente",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Citazione", "navigation_bar.compose_quote": "Citazione",
"navigation_bar.compose_reply": "Rispondi", "navigation_bar.compose_reply": "Rispondi",
"navigation_bar.domain_blocks": "Domini nascosti", "navigation_bar.domain_blocks": "Domini nascosti",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Persone silenziate", "navigation_bar.mutes": "Persone silenziate",
"navigation_bar.preferences": "Preferenze", "navigation_bar.preferences": "Preferenze",
"navigation_bar.profile_directory": "Catalogo dei profili", "navigation_bar.profile_directory": "Catalogo dei profili",
"navigation_bar.security": "Sicurezza",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} oggi festeggia il compleanno",
"notification.birthday.more": "{count} e {count, plural, un {friend} più {friends}}",
"notification.birthday_plural": "{name} e {more} oggi festeggiano il compleanno",
"notification.pleroma:chat_mention": "{name} ti ha spedito un messaggio",
"notification.favourite": "{name} ha apprezzato il contenuto", "notification.favourite": "{name} ha apprezzato il contenuto",
"notification.follow": "{name} adesso ti segue", "notification.follow": "{name} adesso ti segue",
"notification.follow_request": "{name} ha chiesto di seguirti", "notification.follow_request": "{name} ha chiesto di seguirti",
"notification.mention": "{name} ti ha menzionato", "notification.mention": "{name} ti ha menzionato",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} ha traslocato su {targetName}", "notification.move": "{name} ha traslocato su {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} ti ha spedito un messaggio",
"notification.pleroma:emoji_reaction": "{name} ha reagito al contenuto", "notification.pleroma:emoji_reaction": "{name} ha reagito al contenuto",
"notification.poll": "Un sondaggio in cui hai votato è terminato", "notification.poll": "Un sondaggio in cui hai votato è terminato",
"notification.reblog": "{name} ha condiviso il contenuto", "notification.reblog": "{name} ha condiviso il contenuto",
"notification.status": "{name} ha appena scritto", "notification.status": "{name} ha appena scritto",
"notifications.clear": "Cancella notifiche", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Vuoi davvero cancellare tutte le notifiche?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Cancellare le notifiche",
"notifications.column_settings.alert": "Notifiche desktop",
"notifications.column_settings.birthdays.category": "Compleanni",
"notifications.column_settings.birthdays.show": "Ricevi promemoria dei compleanni",
"notifications.column_settings.emoji_react": "Reazioni con emoji:",
"notifications.column_settings.favourite": "Apprezzati:",
"notifications.column_settings.filter_bar.advanced": "Mostra tutte le categorie",
"notifications.column_settings.filter_bar.category": "Filtro rapido",
"notifications.column_settings.filter_bar.show": "Mostra",
"notifications.column_settings.follow": "Nuovi seguaci:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Menzioni:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Risultati del sondaggio:",
"notifications.column_settings.push": "Notifiche push",
"notifications.column_settings.reblog": "Post ricondivisi:",
"notifications.column_settings.show": "Mostra in colonna",
"notifications.column_settings.sound": "Riproduci suono",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Tutte", "notifications.filter.all": "Tutte",
"notifications.filter.boosts": "Condivisioni", "notifications.filter.boosts": "Condivisioni",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Apprezzati", "notifications.filter.favourites": "Apprezzati",
"notifications.filter.follows": "Seguaci", "notifications.filter.follows": "Seguaci",
"notifications.filter.mentions": "Menzioni", "notifications.filter.mentions": "Menzioni",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Risultati del sondaggio", "notifications.filter.polls": "Risultati del sondaggio",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} notifiche", "notifications.group": "{count} notifiche",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Scegli una immagine emblematica", "onboarding.avatar.title": "Scegli una immagine emblematica",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "Verrà mostrato in cima al tuo profilo.", "onboarding.header.subtitle": "Verrà mostrato in cima al tuo profilo.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Ti abbiamo spedito una email di conferma, verifica per favore", "password_reset.confirmation": "Ti abbiamo spedito una email di conferma, verifica per favore",
"password_reset.fields.username_placeholder": "Email o username", "password_reset.fields.username_placeholder": "Email o username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Ripristina password", "password_reset.reset": "Ripristina password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Chiuso", "poll.closed": "Chiuso",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Aggiorna", "poll.refresh": "Aggiorna",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# voto} other {# voti}}", "poll.total_votes": "{count, plural, one {# voto} other {# voti}}",
"poll.vote": "Vota", "poll.vote": "Vota",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Aggiungi un sondaggio", "poll_button.add_poll": "Aggiungi un sondaggio",
"poll_button.remove_poll": "Rimuovi sondaggio", "poll_button.remove_poll": "Rimuovi sondaggio",
"pre_header.close": "Chiudi",
"preferences.fields.auto_play_gif_label": "Anima le GIF automaticamente", "preferences.fields.auto_play_gif_label": "Anima le GIF automaticamente",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Carica automaticamente altri contenuti quando raggiungi il fondo della pagina", "preferences.fields.autoload_more_label": "Carica automaticamente altri contenuti quando raggiungi il fondo della pagina",
"preferences.fields.autoload_timelines_label": "Carica automaticamente nuovi contenuti torni in cima alla pagina", "preferences.fields.autoload_timelines_label": "Carica automaticamente nuovi contenuti torni in cima alla pagina",
"preferences.fields.boost_modal_label": "Richiedi conferma prima di condividere", "preferences.fields.boost_modal_label": "Richiedi conferma prima di condividere",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Richiedi conferma prima di eliminare il contenuto", "preferences.fields.delete_modal_label": "Richiedi conferma prima di eliminare il contenuto",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Nascondi solo quelli «sensibili» (NSFW)", "preferences.fields.display_media.default": "Nascondi solo quelli «sensibili» (NSFW)",
"preferences.fields.display_media.hide_all": "Nascondili tutti", "preferences.fields.display_media.hide_all": "Nascondili tutti",
"preferences.fields.display_media.show_all": "Mostrali tutti", "preferences.fields.display_media.show_all": "Mostrali tutti",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "Espandi automaticamente i contenuti marcati «con avvertimento» (CW)", "preferences.fields.expand_spoilers_label": "Espandi automaticamente i contenuti marcati «con avvertimento» (CW)",
"preferences.fields.language_label": "Lingua", "preferences.fields.language_label": "Lingua",
"preferences.fields.media_display_label": "Visualizzazione dei media", "preferences.fields.media_display_label": "Visualizzazione dei media",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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": "Nella timeline personale", "preferences.hints.feed": "Nella timeline personale",
"preferences.notifications.advanced": "Show all notification categories",
"preferences.options.content_type_markdown": "Markdown",
"preferences.options.content_type_plaintext": "Plain text",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Livello di privacy del contenuto", "privacy.change": "Livello di privacy del contenuto",
"privacy.direct.long": "Visibile solo alle persone menzionate", "privacy.direct.long": "Visibile solo alle persone menzionate",
"privacy.direct.short": "Diretto in privato", "privacy.direct.short": "Diretto in privato",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Non elencato", "privacy.unlisted.short": "Non elencato",
"profile_dropdown.add_account": "Cambia profilo (esistente)", "profile_dropdown.add_account": "Cambia profilo (esistente)",
"profile_dropdown.logout": "Disconnetti @{acct}", "profile_dropdown.logout": "Disconnetti @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Campi del profilo", "profile_fields_panel.title": "Campi del profilo",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Attendere prego …", "regeneration_indicator.label": "Attendere prego …",
"regeneration_indicator.sublabel": "Stiamo preparando il tuo home feed!", "regeneration_indicator.sublabel": "Stiamo preparando il tuo home feed!",
"register_invite.lead": "Completa questo modulo per creare il tuo profilo ed essere dei nostri!", "register_invite.lead": "Completa questo modulo per creare il tuo profilo ed essere dei nostri!",
"register_invite.title": "Hai ricevuto un invito su {siteTitle}, iscriviti!", "register_invite.title": "Hai ricevuto un invito su {siteTitle}, iscriviti!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "Accetto e autorizzo: {tos} ai sensi del Regolamento Europeo 679/2016 GDPR.", "registration.agreement": "Accetto e autorizzo: {tos} ai sensi del Regolamento Europeo 679/2016 GDPR.",
"registration.captcha.hint": "Se il codice è illegibile, cliccalo per cambiarlo", "registration.captcha.hint": "Se il codice è illegibile, cliccalo per cambiarlo",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} non accetta le richieste di iscrizione", "registration.closed_message": "{instance} non accetta le richieste di iscrizione",
"registration.closed_title": "Iscrizioni chiuse", "registration.closed_title": "Iscrizioni chiuse",
"registration.confirmation_modal.close": "Chiudi", "registration.confirmation_modal.close": "Chiudi",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Puoi usare solo lettere, cifre e _ (trattino basso)", "registration.fields.username_hint": "Puoi usare solo lettere, cifre e _ (trattino basso)",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Autorizzo il trattamento dei dati per ricevere comunicazioni dagli amministratori via email", "registration.newsletter": "Autorizzo il trattamento dei dati per ricevere comunicazioni dagli amministratori via email",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Perché vuoi iscriverti?", "registration.reason": "Perché vuoi iscriverti?",
"registration.reason_hint": "Motivazione per l'iscrizione", "registration.reason_hint": "Motivazione per l'iscrizione",
"registration.sign_up": "Iscriviti", "registration.sign_up": "Iscriviti",
"registration.tos": "Termini di servizio e informativa sul trattamento dei dati personali", "registration.tos": "Termini di servizio e informativa sul trattamento dei dati personali",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}g", "relative_time.days": "{number}g",
"relative_time.hours": "{number}o", "relative_time.hours": "{number}o",
"relative_time.just_now": "ora", "relative_time.just_now": "ora",
@ -861,16 +924,32 @@
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "ancora {count}", "reply_mentions.more": "ancora {count}",
"reply_mentions.reply": "<hover>Risponde a</hover> {accounts}", "reply_mentions.reply": "<hover>Risponde a</hover> {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Rispondendo al contenuto", "reply_mentions.reply_empty": "Rispondendo al contenuto",
"report.block": "Blocca {target}", "report.block": "Blocca {target}",
"report.block_hint": "Vuoi anche bloccare questa persona?", "report.block_hint": "Vuoi anche bloccare questa persona?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Inoltra a {target}", "report.forward": "Inoltra a {target}",
"report.forward_hint": "Questo account appartiene a un altro server. Mandare anche là una copia anonima del rapporto?", "report.forward_hint": "Questo account appartiene a un altro server. Mandare anche là una copia anonima del rapporto?",
"report.hint": "La segnalazione sarà inviata ai moderatori del tuo server. Di seguito, puoi fornire il motivo per il quale stai segnalando questo account:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Commenti aggiuntivi", "report.placeholder": "Commenti aggiuntivi",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Invia", "report.submit": "Invia",
"report.target": "Invio la segnalazione {target}", "report.target": "Invio la segnalazione {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Orario e data di pubblicazione", "schedule.post_time": "Orario e data di pubblicazione",
"schedule.remove": "Rimuovi programmazione", "schedule.remove": "Rimuovi programmazione",
"schedule_button.add_schedule": "Programma la pubblicazione in futuro", "schedule_button.add_schedule": "Programma la pubblicazione in futuro",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Cerca", "search.placeholder": "Cerca",
"search_results.accounts": "Persone", "search_results.accounts": "Persone",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Hashtag", "search_results.hashtags": "Hashtag",
"search_results.statuses": "Contenuti", "search_results.statuses": "Contenuti",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Eliminazione fallita", "security.delete_account.fail": "Eliminazione fallita",
"security.delete_account.success": "Eliminazione avvenuta", "security.delete_account.success": "Eliminazione avvenuta",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Indirizzo email", "security.fields.email.label": "Indirizzo email",
"security.fields.new_password.label": "Nuova password", "security.fields.new_password.label": "Nuova password",
"security.fields.old_password.label": "Password attuale", "security.fields.old_password.label": "Password attuale",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "Conferma nuova password", "security.fields.password_confirmation.label": "Conferma nuova password",
"security.headers.delete": "Eliminazione account", "security.headers.delete": "Eliminazione account",
"security.headers.tokens": "Sessioni attive", "security.headers.tokens": "Sessioni attive",
"security.headers.update_email": "Cambia indirizzo email",
"security.headers.update_password": "Modifica password",
"security.mfa": "Imposta l'autenticazione a due fattori con OTP",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Metodi di autorizzazione",
"security.mfa_setup_hint": "Puoi configurare il sistema di autenticazione a due fattori mediante codice OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Salva i cambiamenti", "security.submit": "Salva i cambiamenti",
"security.submit.delete": "Elimina account", "security.submit.delete": "Elimina account",
"security.text.delete": "Attenzione: si tratta di una eliminazione permanente irreversibile. Per eliminare e distruggere il tuo account su questo sito, occorre digitare la password e cliccare il bottone «Elimina account». Successivamente, verrà spedita una richiesta di eliminazione alle altre istanze federate, non possiamo garantirti che tutte le altre istanze siano in grado di procedere alla eliminazione completa.", "security.text.delete": "Attenzione: si tratta di una eliminazione permanente irreversibile. Per eliminare e distruggere il tuo account su questo sito, occorre digitare la password e cliccare il bottone «Elimina account». Successivamente, verrà spedita una richiesta di eliminazione alle altre istanze federate, non possiamo garantirti che tutte le altre istanze siano in grado di procedere alla eliminazione completa.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoca", "security.tokens.revoke": "Revoca",
"security.update_email.fail": "Aggiornamento email, fallito", "security.update_email.fail": "Aggiornamento email, fallito",
"security.update_email.success": "Aggiornamento email, confermato", "security.update_email.success": "Aggiornamento email, confermato",
"security.update_password.fail": "Aggiornamento password, fallito", "security.update_password.fail": "Aggiornamento password, fallito",
"security.update_password.success": "Aggiornamento password, confermato", "security.update_password.success": "Aggiornamento password, confermato",
"settings.account_migration": "Move Account",
"settings.change_email": "Cambia email", "settings.change_email": "Cambia email",
"settings.change_password": "Cambia Password", "settings.change_password": "Cambia Password",
"settings.configure_mfa": "Configura autenticazione a due fattori", "settings.configure_mfa": "Configura autenticazione a due fattori",
"settings.delete_account": "Elimina account", "settings.delete_account": "Elimina account",
"settings.edit_profile": "Modifica del profilo", "settings.edit_profile": "Modifica del profilo",
"settings.other": "Other options",
"settings.preferences": "Preferenze", "settings.preferences": "Preferenze",
"settings.profile": "Profilo", "settings.profile": "Profilo",
"settings.save.success": "Preferenze salvate!", "settings.save.success": "Preferenze salvate!",
"settings.security": "Sicurezza", "settings.security": "Sicurezza",
"settings.sessions": "Active sessions",
"settings.settings": "Impostazioni", "settings.settings": "Impostazioni",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "Mostra", "snackbar.view": "Mostra",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Tema predefinito", "soapbox_config.fields.theme_label": "Tema predefinito",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Apri interfaccia di moderazione per @{name}", "status.admin_account": "Apri interfaccia di moderazione per @{name}",
"status.admin_status": "Apri questo status nell'interfaccia di moderazione", "status.admin_status": "Apri questo status nell'interfaccia di moderazione",
"status.block": "Blocca @{name}",
"status.bookmark": "Aggiungi segnalibro", "status.bookmark": "Aggiungi segnalibro",
"status.bookmarked": "Segnalibro aggiunto!", "status.bookmarked": "Segnalibro aggiunto!",
"status.cancel_reblog_private": "Annulla ricondivisione", "status.cancel_reblog_private": "Annulla ricondivisione",
@ -976,14 +1075,16 @@
"status.delete": "Elimina", "status.delete": "Elimina",
"status.detailed_status": "Vista conversazione dettagliata", "status.detailed_status": "Vista conversazione dettagliata",
"status.direct": "Messaggio privato @{name}", "status.direct": "Messaggio privato @{name}",
"status.edit": "Edit",
"status.embed": "Incorpora", "status.embed": "Incorpora",
"status.external": "View post on {domain}",
"status.favourite": "Reazioni", "status.favourite": "Reazioni",
"status.filtered": "Filtrato", "status.filtered": "Filtrato",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Mostra di più", "status.load_more": "Mostra di più",
"status.media_hidden": "Allegato nascosto",
"status.mention": "Nomina @{name}", "status.mention": "Nomina @{name}",
"status.more": "Altro", "status.more": "Altro",
"status.mute": "Silenzia @{name}",
"status.mute_conversation": "Silenzia conversazione", "status.mute_conversation": "Silenzia conversazione",
"status.open": "Espandi conversazione", "status.open": "Espandi conversazione",
"status.pin": "Fissa in cima sul profilo", "status.pin": "Fissa in cima sul profilo",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Selezione emoji",
"status.read_more": "Leggi altro", "status.read_more": "Leggi altro",
"status.reblog": "Condividi", "status.reblog": "Condividi",
"status.reblog_private": "Condividi con i destinatari iniziali", "status.reblog_private": "Condividi con i destinatari iniziali",
@ -1009,13 +1109,15 @@
"status.replyAll": "Rispondi alla conversazione", "status.replyAll": "Rispondi alla conversazione",
"status.report": "Segnala @{name}", "status.report": "Segnala @{name}",
"status.sensitive_warning": "Materiale sensibile", "status.sensitive_warning": "Materiale sensibile",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Condividi", "status.share": "Condividi",
"status.show_less": "Mostra meno",
"status.show_less_all": "Mostra meno per tutti", "status.show_less_all": "Mostra meno per tutti",
"status.show_more": "Mostra di più",
"status.show_more_all": "Mostra di più per tutti", "status.show_more_all": "Mostra di più per tutti",
"status.show_original": "Show original",
"status.title": "Contenuti", "status.title": "Contenuti",
"status.title_direct": "Messaggio diretto", "status.title_direct": "Messaggio diretto",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Annulla silenzia conversazione", "status.unmute_conversation": "Annulla silenzia conversazione",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Elimina suggerimento", "suggestions.dismiss": "Elimina suggerimento",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "Tutto", "tabs_bar.all": "Tutto",
"tabs_bar.chats": "Chat", "tabs_bar.chats": "Chat",
"tabs_bar.dashboard": "Cruscotto", "tabs_bar.dashboard": "Cruscotto",
"tabs_bar.fediverse": "Dal fediverso", "tabs_bar.fediverse": "Dal fediverso",
"tabs_bar.home": "Home", "tabs_bar.home": "Home",
"tabs_bar.local": "Local",
"tabs_bar.more": "Altro", "tabs_bar.more": "Altro",
"tabs_bar.notifications": "Notifiche", "tabs_bar.notifications": "Notifiche",
"tabs_bar.post": "Scrivi subito!",
"tabs_bar.profile": "Profilo", "tabs_bar.profile": "Profilo",
"tabs_bar.search": "Cerca", "tabs_bar.search": "Cerca",
"tabs_bar.settings": "Impostazioni", "tabs_bar.settings": "Impostazioni",
"tabs_bar.theme_toggle_dark": "Design scuro", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Design chiaro", "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",
"time_remaining.days": "{number, plural, one {# giorno} other {# giorni}} rimasti", "time_remaining.days": "{number, plural, one {# giorno} other {# giorni}} rimasti",
"time_remaining.hours": "{number, plural, one {# ora} other {# ore}} rimasti", "time_remaining.hours": "{number, plural, one {# ora} other {# ore}} rimasti",
"time_remaining.minutes": "{number, plural, one {# minuto} other {# minuti}} rimasti", "time_remaining.minutes": "{number, plural, one {# minuto} other {# minuti}} rimasti",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# secondo} other {# secondi}} rimasti", "time_remaining.seconds": "{number, plural, one {# secondo} other {# secondi}} rimasti",
"trends.count_by_accounts": "{count} {rawCount, plural, one {persona ne sta} other {persone ne stanno}} parlando", "trends.count_by_accounts": "{count} {rawCount, plural, one {persona ne sta} other {persone ne stanno}} parlando",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "La bozza andrà persa se esci da Soapbox.", "ui.beforeunload": "La bozza andrà persa se esci da Soapbox.",
"unauthorized_modal.text": "Devi eseguire l'autenticazione per fare questo", "unauthorized_modal.text": "Devi eseguire l'autenticazione per fare questo",
"unauthorized_modal.title": "Iscriviti su {site_title}", "unauthorized_modal.title": "Iscriviti su {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "L'immagine eccede il limite di dimensioni ({limit})", "upload_error.image_size_limit": "L'immagine eccede il limite di dimensioni ({limit})",
"upload_error.limit": "Hai superato il limite di quanti file puoi caricare", "upload_error.limit": "Hai superato il limite di quanti file puoi caricare",
"upload_error.poll": "Caricamento file non consentito nei sondaggi", "upload_error.poll": "Caricamento file non consentito nei sondaggi",
"upload_error.video_duration_limit": "Video exceeds the current duration limit ({limit} seconds)",
"upload_error.video_size_limit": "Il video eccede il limite di dimensioni ({limit})", "upload_error.video_size_limit": "Il video eccede il limite di dimensioni ({limit})",
"upload_form.description": "Descrizione a persone potratrici di disabilità visive", "upload_form.description": "Descrizione a persone potratrici di disabilità visive",
"upload_form.preview": "Anteprima", "upload_form.preview": "Anteprima",
@ -1067,5 +1188,7 @@
"video.pause": "Pausa", "video.pause": "Pausa",
"video.play": "Avvia", "video.play": "Avvia",
"video.unmute": "Riattiva sonoro", "video.unmute": "Riattiva sonoro",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Chi seguire" "who_to_follow.title": "Chi seguire"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "{domain}全体を非表示", "account.block_domain": "{domain}全体を非表示",
"account.blocked": "ブロック済み", "account.blocked": "ブロック済み",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "@{name}さんにダイレクトメッセージ", "account.direct": "@{name}さんにダイレクトメッセージ",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "プロフィール編集", "account.edit_profile": "プロフィール編集",
"account.endorse": "プロフィールで紹介する", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "フォロー", "account.follow": "フォロー",
"account.followers": "フォロワー", "account.followers": "フォロワー",
"account.followers.empty": "まだ誰もフォローしていません。", "account.followers.empty": "まだ誰もフォローしていません。",
"account.follows": "フォロー", "account.follows": "フォロー",
"account.follows.empty": "まだ誰もフォローしていません。", "account.follows.empty": "まだ誰もフォローしていません。",
"account.follows_you": "フォローされています", "account.follows_you": "フォローされています",
"account.header.alt": "Profile header",
"account.hide_reblogs": "@{name}さんからのリピートを非表示", "account.hide_reblogs": "@{name}さんからのリピートを非表示",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "このリンクの所有権は{date}に確認されました", "account.link_verified_on": "このリンクの所有権は{date}に確認されました",
@ -30,36 +34,56 @@
"account.media": "メディア", "account.media": "メディア",
"account.member_since": "{date}から利用しています", "account.member_since": "{date}から利用しています",
"account.mention": "さんに投稿", "account.mention": "さんに投稿",
"account.moved_to": "{name}さんは引っ越しました:",
"account.mute": "@{name}さんをミュート", "account.mute": "@{name}さんをミュート",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "投稿", "account.posts": "投稿",
"account.posts_with_replies": "投稿と返信", "account.posts_with_replies": "投稿と返信",
"account.profile": "プロフィール", "account.profile": "プロフィール",
"account.profile_external": "View profile on {domain}",
"account.register": "新規登録", "account.register": "新規登録",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "@{name}さんを通報", "account.report": "@{name}さんを通報",
"account.requested": "フォロー承認待ちです。クリックしてキャンセル", "account.requested": "フォロー承認待ちです。クリックしてキャンセル",
"account.requested_small": "承認待ち", "account.requested_small": "承認待ち",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "@{name}さんのプロフィールを共有する", "account.share": "@{name}さんのプロフィールを共有する",
"account.show_reblogs": "@{name}さんからのリピートを表示", "account.show_reblogs": "@{name}さんからのリピートを表示",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "@{name}さんのブロックを解除", "account.unblock": "@{name}さんのブロックを解除",
"account.unblock_domain": "{domain}の非表示を解除", "account.unblock_domain": "{domain}の非表示を解除",
"account.unendorse": "プロフィールから外す", "account.unendorse": "プロフィールから外す",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "フォロー解除", "account.unfollow": "フォロー解除",
"account.unmute": "@{name}さんのミュートを解除", "account.unmute": "@{name}さんのミュートを解除",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "表示するメディアがありません。", "account_gallery.none": "表示するメディアがありません。",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "次からは{combo}を押せばスキップできます", "boost_modal.combo": "次からは{combo}を押せばスキップできます",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "コンポーネントの読み込み中に問題が発生しました。", "bundle_column_error.body": "コンポーネントの読み込み中に問題が発生しました。",
"bundle_column_error.retry": "再試行", "bundle_column_error.retry": "再試行",
"bundle_column_error.title": "ネットワークエラー", "bundle_column_error.title": "ネットワークエラー",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "メッセージを送信……", "chat_box.input.placeholder": "メッセージを送信……",
"chat_panels.main_window.empty": "チャットがありません。始めるにはユーザのプロフィール画面へ移動してください。", "chat_panels.main_window.empty": "チャットがありません。始めるにはユーザのプロフィール画面へ移動してください。",
"chat_panels.main_window.title": "チャット", "chat_panels.main_window.title": "チャット",
"chat_window.close": "Close chat",
"chats.actions.delete": "メッセージを削除", "chats.actions.delete": "メッセージを削除",
"chats.actions.more": "もっと", "chats.actions.more": "もっと",
"chats.actions.report": "ユーザを通報", "chats.actions.report": "ユーザを通報",
@ -198,11 +221,13 @@
"column.community": "公開タイムライン", "column.community": "公開タイムライン",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "ダイレクトメッセージ", "column.direct": "ダイレクトメッセージ",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "非表示にしたドメイン", "column.domain_blocks": "非表示にしたドメイン",
"column.edit_profile": "プロフィール編集", "column.edit_profile": "プロフィール編集",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "フォローリクエスト", "column.follow_requests": "フォローリクエスト",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "ホーム", "column.home": "ホーム",
"column.import_data": "インポートデータ", "column.import_data": "インポートデータ",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "セキュリティ",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox設定", "column.soapbox_config": "Soapbox設定",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "戻る", "column_back_button.label": "戻る",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "設定を表示",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "メディアのみ表示", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "この投稿はメンションされた人にのみ送信されます。", "compose_form.direct_message_warning": "この投稿はメンションされた人にのみ送信されます。",
@ -273,21 +296,25 @@
"compose_form.placeholder": "今なにしてる?", "compose_form.placeholder": "今なにしてる?",
"compose_form.poll.add_option": "追加", "compose_form.poll.add_option": "追加",
"compose_form.poll.duration": "アンケート期間", "compose_form.poll.duration": "アンケート期間",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "項目 {number}", "compose_form.poll.option_placeholder": "項目 {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "この項目を削除", "compose_form.poll.remove_option": "この項目を削除",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "投稿", "compose_form.publish": "投稿",
"compose_form.publish_loud": "{publish}", "compose_form.publish_loud": "{publish}",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "メディアを閲覧注意にする",
"compose_form.sensitive.marked": "メディアに閲覧注意が設定されています",
"compose_form.sensitive.unmarked": "メディアに閲覧注意が設定されていません",
"compose_form.spoiler.marked": "閲覧注意が設定されています", "compose_form.spoiler.marked": "閲覧注意が設定されています",
"compose_form.spoiler.unmarked": "閲覧注意が設定されていません", "compose_form.spoiler.unmarked": "閲覧注意が設定されていません",
"compose_form.spoiler_placeholder": "ここに警告を書いてください", "compose_form.spoiler_placeholder": "ここに警告を書いてください",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "キャンセル", "confirmation_modal.cancel": "キャンセル",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "ブロック", "confirmations.block.confirm": "ブロック",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "本当に{name}さんをブロックしますか?", "confirmations.block.message": "本当に{name}さんをブロックしますか?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "削除", "confirmations.delete.confirm": "削除",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "本当に削除しますか?", "confirmations.delete.message": "本当に削除しますか?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "返信", "confirmations.reply.confirm": "返信",
"confirmations.reply.message": "今返信すると現在作成中のメッセージが上書きされます。本当に実行しますか?", "confirmations.reply.message": "今返信すると現在作成中のメッセージが上書きされます。本当に実行しますか?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "承認制アカウント", "edit_profile.fields.locked_label": "承認制アカウント",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF もしくは JPG. 最大 2 MB. 1500x500pxへ縮小されます", "edit_profile.hints.header": "PNG, GIF もしくは JPG. 最大 2 MB. 1500x500pxへ縮小されます",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "フォロワーを手動で承認する必要があります", "edit_profile.hints.locked": "フォロワーを手動で承認する必要があります",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "保存", "edit_profile.save": "保存",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "下記のコードをコピーしてウェブサイトに埋め込みます。", "embed.instructions": "下記のコードをコピーしてウェブサイトに埋め込みます。",
"embed.preview": "表示例:",
"emoji_button.activity": "活動", "emoji_button.activity": "活動",
"emoji_button.custom": "カスタム絵文字", "emoji_button.custom": "カスタム絵文字",
"emoji_button.flags": "国旗", "emoji_button.flags": "国旗",
@ -448,20 +503,23 @@
"empty_column.filters": "まだ何もミュートを設定していません。", "empty_column.filters": "まだ何もミュートを設定していません。",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "まだフォローリクエストを受けていません。フォローリクエストを受けるとここに表示されます。", "empty_column.follow_requests": "まだフォローリクエストを受けていません。フォローリクエストを受けるとここに表示されます。",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "このハッシュタグはまだ使われていません。", "empty_column.hashtag": "このハッシュタグはまだ使われていません。",
"empty_column.home": "まだ誰もフォローしていません。{public}を見に行くか、検索を使って他のユーザーを見つけましょう。", "empty_column.home": "まだ誰もフォローしていません。{public}を見に行くか、検索を使って他のユーザーを見つけましょう。",
"empty_column.home.local_tab": "{site_title}タブ", "empty_column.home.local_tab": "{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.list": "このリストにはまだ何もありません。このリストのメンバーが新しい投稿をするとここに表示されます。", "empty_column.list": "このリストにはまだ何もありません。このリストのメンバーが新しい投稿をするとここに表示されます。",
"empty_column.lists": "まだリストがありません。リストを作るとここに表示されます。", "empty_column.lists": "まだリストがありません。リストを作るとここに表示されます。",
"empty_column.mutes": "まだ誰もミュートしていません。", "empty_column.mutes": "まだ誰もミュートしていません。",
"empty_column.notifications": "まだ通知がありません。他の人とふれ合って会話を始めましょう。", "empty_column.notifications": "まだ通知がありません。他の人とふれ合って会話を始めましょう。",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "ここにはまだ何もありません! 公開で何かを投稿したり、他のサーバーのユーザーをフォローしたりしていっぱいにしましょう", "empty_column.public": "ここにはまだ何もありません! 公開で何かを投稿したり、他のサーバーのユーザーをフォローしたりしていっぱいにしましょう",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "許可", "follow_request.authorize": "許可",
"follow_request.reject": "拒否", "follow_request.reject": "拒否",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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}はオープンソースソフトウェアです。誰でもGitLab ( {code_link} (v{code_version}) ) から開発に参加したり、問題を報告したりできます。", "getting_started.open_source_notice": "{code_name}はオープンソースソフトウェアです。誰でもGitLab ( {code_link} (v{code_version}) ) から開発に参加したり、問題を報告したりできます。",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "と {additional}", "hashtag.column_header.tag_mode.all": "と {additional}",
"hashtag.column_header.tag_mode.any": "か {additional}", "hashtag.column_header.tag_mode.any": "か {additional}",
"hashtag.column_header.tag_mode.none": "({additional} を除く)", "hashtag.column_header.tag_mode.none": "({additional} を除く)",
@ -543,11 +574,10 @@
"header.login.label": "ログイン", "header.login.label": "ログイン",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "ダイレクトメッセージ表示",
"home.column_settings.show_reblogs": "リピート表示", "home.column_settings.show_reblogs": "リピート表示",
"home.column_settings.show_replies": "返信表示", "home.column_settings.show_replies": "返信表示",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number}日", "intervals.full.days": "{number}日",
"intervals.full.hours": "{number}時間", "intervals.full.hours": "{number}時間",
"intervals.full.minutes": "{number}分", "intervals.full.minutes": "{number}分",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "戻る", "keyboard_shortcuts.back": "戻る",
"keyboard_shortcuts.blocked": "ブロックしたユーザーのリストを開く", "keyboard_shortcuts.blocked": "ブロックしたユーザーのリストを開く",
"keyboard_shortcuts.boost": "リピート", "keyboard_shortcuts.boost": "リピート",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "ログイン", "login.log_in": "ログイン",
"login.otp_log_in": "ワンタイムパスワードログイン", "login.otp_log_in": "ワンタイムパスワードログイン",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "ログインできませんか?", "login.reset_password_hint": "ログインできませんか?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "表示切り替え", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "メディア", "media_panel.title": "メディア",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "見つかりません", "missing_indicator.label": "見つかりません",
"missing_indicator.sublabel": "見つかりませんでした", "missing_indicator.sublabel": "見つかりませんでした",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "このユーザーからの通知を隠しますか?", "mute_modal.hide_notifications": "このユーザーからの通知を隠しますか?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "ブロックしたユーザー", "navigation_bar.blocks": "ブロックしたユーザー",
"navigation_bar.compose": "投稿の新規作成", "navigation_bar.compose": "投稿の新規作成",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "非表示にしたドメイン", "navigation_bar.domain_blocks": "非表示にしたドメイン",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "ミュートしたユーザー", "navigation_bar.mutes": "ミュートしたユーザー",
"navigation_bar.preferences": "ユーザー設定", "navigation_bar.preferences": "ユーザー設定",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "セキュリティ",
"navigation_bar.soapbox_config": "Soapbox設定", "navigation_bar.soapbox_config": "Soapbox設定",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name}さんがあなたにメッセージを送りました",
"notification.favourite": "{name}さんがあなたの投稿をお気に入りに登録しました", "notification.favourite": "{name}さんがあなたの投稿をお気に入りに登録しました",
"notification.follow": "{name}さんにフォローされました", "notification.follow": "{name}さんにフォローされました",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name}さんがあなたに返信しました", "notification.mention": "{name}さんがあなたに返信しました",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name}さんがあなたにメッセージを送りました",
"notification.pleroma:emoji_reaction": "{name}さんがあなたの投稿に反応しました", "notification.pleroma:emoji_reaction": "{name}さんがあなたの投稿に反応しました",
"notification.poll": "アンケートが終了しました", "notification.poll": "アンケートが終了しました",
"notification.reblog": "{name}さんがあなたの投稿をリピートしました", "notification.reblog": "{name}さんがあなたの投稿をリピートしました",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "通知を消去", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "本当に通知を消去しますか?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "デスクトップ通知",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "お気に入り:",
"notifications.column_settings.filter_bar.advanced": "すべてのカテゴリを表示",
"notifications.column_settings.filter_bar.category": "クイックフィルタバー",
"notifications.column_settings.filter_bar.show": "表示",
"notifications.column_settings.follow": "新しいフォロワー:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "返信:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "アンケート結果:",
"notifications.column_settings.push": "プッシュ通知",
"notifications.column_settings.reblog": "リピート:",
"notifications.column_settings.show": "カラムに表示",
"notifications.column_settings.sound": "通知音を再生",
"notifications.column_settings.sounds": "音声",
"notifications.column_settings.sounds.all_sounds": "全ての通知で音声を再生する",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "すべて", "notifications.filter.all": "すべて",
"notifications.filter.boosts": "リピート", "notifications.filter.boosts": "リピート",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "お気に入り", "notifications.filter.favourites": "お気に入り",
"notifications.filter.follows": "フォロー", "notifications.filter.follows": "フォロー",
"notifications.filter.mentions": "返信", "notifications.filter.mentions": "返信",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "アンケート結果", "notifications.filter.polls": "アンケート結果",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} 件の通知", "notifications.group": "{count} 件の通知",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "固定した投稿はありません。", "pinned_statuses.none": "固定した投稿はありません。",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "終了", "poll.closed": "終了",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "更新", "poll.refresh": "更新",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count}票", "poll.total_votes": "{count}票",
"poll.vote": "投票", "poll.vote": "投票",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "アンケートを追加", "poll_button.add_poll": "アンケートを追加",
"poll_button.remove_poll": "アンケートを削除", "poll_button.remove_poll": "アンケートを削除",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "アニメGIFを自動再生する", "preferences.fields.auto_play_gif_label": "アニメGIFを自動再生する",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "リピートする前に確認ダイアログを表示する", "preferences.fields.boost_modal_label": "リピートする前に確認ダイアログを表示する",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "投稿を削除する前に確認ダイアログを表示する", "preferences.fields.delete_modal_label": "投稿を削除する前に確認ダイアログを表示する",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show media", "preferences.fields.display_media.show_all": "Always show media",
"preferences.fields.dyslexic_font_label": "Dyslexic mode",
"preferences.fields.expand_spoilers_label": "コンテンツ警告のついた投稿を常に開く", "preferences.fields.expand_spoilers_label": "コンテンツ警告のついた投稿を常に開く",
"preferences.fields.language_label": "言語", "preferences.fields.language_label": "言語",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "公開範囲を変更", "privacy.change": "公開範囲を変更",
"privacy.direct.long": "メンションしたユーザーだけに公開", "privacy.direct.long": "メンションしたユーザーだけに公開",
"privacy.direct.short": "ダイレクト", "privacy.direct.short": "ダイレクト",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "未収載", "privacy.unlisted.short": "未収載",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "読み込み中…", "regeneration_indicator.label": "読み込み中…",
"regeneration_indicator.sublabel": "ホームタイムラインは準備中です!", "regeneration_indicator.sublabel": "ホームタイムラインは準備中です!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "{tos}を承諾する。", "registration.agreement": "{tos}を承諾する。",
"registration.captcha.hint": "画像をクリックして新しいキャプチャを入手する", "registration.captcha.hint": "画像をクリックして新しいキャプチャを入手する",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance}は新しい人を受け入れていません", "registration.closed_message": "{instance}は新しい人を受け入れていません",
"registration.closed_title": "登録閉鎖", "registration.closed_title": "登録閉鎖",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,13 +872,27 @@
"registration.fields.password_placeholder": "パスワード", "registration.fields.password_placeholder": "パスワード",
"registration.fields.username_hint": "文字と数字、アンダースコアのみ使用できます。", "registration.fields.username_hint": "文字と数字、アンダースコアのみ使用できます。",
"registration.fields.username_placeholder": "ユーザ名", "registration.fields.username_placeholder": "ユーザ名",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "なぜ参加したいのですか?", "registration.reason": "なぜ参加したいのですか?",
"registration.reason_hint": "これはあなたの申請を評価する助けになります", "registration.reason_hint": "これはあなたの申請を評価する助けになります",
"registration.sign_up": "新規登録", "registration.sign_up": "新規登録",
"registration.tos": "利用規約", "registration.tos": "利用規約",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}日前", "relative_time.days": "{number}日前",
"relative_time.hours": "{number}時間前", "relative_time.hours": "{number}時間前",
"relative_time.just_now": "今", "relative_time.just_now": "今",
@ -859,16 +922,34 @@
"reply_indicator.cancel": "キャンセル", "reply_indicator.cancel": "キャンセル",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "{target}さんをブロック", "report.block": "{target}さんをブロック",
"report.block_hint": "このアカウントをブロックしますか?", "report.block_hint": "このアカウントをブロックしますか?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "{target}に転送する", "report.forward": "{target}に転送する",
"report.forward_hint": "このアカウントは別のサーバーに所属しています。通報内容を匿名で転送しますか?", "report.forward_hint": "このアカウントは別のサーバーに所属しています。通報内容を匿名で転送しますか?",
"report.hint": "通報内容はあなたのサーバーのモデレーターへ送信されます。通報理由を入力してください。:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "追加コメント", "report.placeholder": "追加コメント",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "通報する", "report.submit": "通報する",
"report.target": "{target}さんを通報する", "report.target": "{target}さんを通報する",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -877,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "検索", "search.placeholder": "検索",
"search_results.accounts": "人々", "search_results.accounts": "人々",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "ハッシュタグ", "search_results.hashtags": "ハッシュタグ",
"search_results.statuses": "投稿", "search_results.statuses": "投稿",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -893,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "登録してお話しましょう。", "signup_panel.subtitle": "登録してお話しましょう。",
"signup_panel.title": "{site_title}は初めてですか?", "signup_panel.title": "{site_title}は初めてですか?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -928,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -961,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "@{name} のモデレーション画面を開く", "status.admin_account": "@{name} のモデレーション画面を開く",
"status.admin_status": "この投稿をモデレーション画面で開く", "status.admin_status": "この投稿をモデレーション画面で開く",
"status.block": "@{name}さんをブロック",
"status.bookmark": "ブックマーク", "status.bookmark": "ブックマーク",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "リピート解除", "status.cancel_reblog_private": "リピート解除",
@ -974,14 +1075,16 @@
"status.delete": "削除", "status.delete": "削除",
"status.detailed_status": "詳細な会話ビュー", "status.detailed_status": "詳細な会話ビュー",
"status.direct": "@{name}さんにダイレクトメッセージ", "status.direct": "@{name}さんにダイレクトメッセージ",
"status.edit": "Edit",
"status.embed": "埋め込み", "status.embed": "埋め込み",
"status.external": "View post on {domain}",
"status.favourite": "お気に入り", "status.favourite": "お気に入り",
"status.filtered": "フィルターされました", "status.filtered": "フィルターされました",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "もっと見る", "status.load_more": "もっと見る",
"status.media_hidden": "非表示のメディア",
"status.mention": "@{name}さんに投稿", "status.mention": "@{name}さんに投稿",
"status.more": "もっと見る", "status.more": "もっと見る",
"status.mute": "@{name}さんをミュート",
"status.mute_conversation": "会話をミュート", "status.mute_conversation": "会話をミュート",
"status.open": "詳細を表示", "status.open": "詳細を表示",
"status.pin": "プロフィールに固定表示", "status.pin": "プロフィールに固定表示",
@ -994,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "もっと見る", "status.read_more": "もっと見る",
"status.reblog": "リピート", "status.reblog": "リピート",
"status.reblog_private": "リピート", "status.reblog_private": "リピート",
@ -1007,13 +1109,15 @@
"status.replyAll": "全員に返信", "status.replyAll": "全員に返信",
"status.report": "@{name}さんを通報", "status.report": "@{name}さんを通報",
"status.sensitive_warning": "閲覧注意", "status.sensitive_warning": "閲覧注意",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "共有", "status.share": "共有",
"status.show_less": "隠す",
"status.show_less_all": "全て隠す", "status.show_less_all": "全て隠す",
"status.show_more": "もっと見る",
"status.show_more_all": "全て見る", "status.show_more_all": "全て見る",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "ブックマークを解除", "status.unbookmark": "ブックマークを解除",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "会話のミュートを解除", "status.unmute_conversation": "会話のミュートを解除",
@ -1021,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "隠す", "suggestions.dismiss": "隠す",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "チャット", "tabs_bar.chats": "チャット",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "ホーム", "tabs_bar.home": "ホーム",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "通知", "tabs_bar.notifications": "通知",
"tabs_bar.post": "投稿",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "検索", "tabs_bar.search": "検索",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "ダークテーマへ切り替え", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "ライトテーマへ切り替え", "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",
"time_remaining.days": "残り{number}日", "time_remaining.days": "残り{number}日",
"time_remaining.hours": "残り{number}時間", "time_remaining.hours": "残り{number}時間",
"time_remaining.minutes": "残り{number}分", "time_remaining.minutes": "残り{number}分",
@ -1042,6 +1163,7 @@
"time_remaining.seconds": "残り{number}秒", "time_remaining.seconds": "残り{number}秒",
"trends.count_by_accounts": "{count}人が投稿", "trends.count_by_accounts": "{count}人が投稿",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Soapboxから離れると送信前の投稿は失われます。", "ui.beforeunload": "Soapboxから離れると送信前の投稿は失われます。",
"unauthorized_modal.text": "ログインする必要があります。", "unauthorized_modal.text": "ログインする必要があります。",
"unauthorized_modal.title": "{site_title}へ新規登録", "unauthorized_modal.title": "{site_title}へ新規登録",
@ -1050,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "アップロードできる上限を超えています。", "upload_error.limit": "アップロードできる上限を超えています。",
"upload_error.poll": "アンケートではファイルをアップロードできません。", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "視覚障害者のための説明", "upload_form.description": "視覚障害者のための説明",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1065,5 +1188,7 @@
"video.pause": "一時停止", "video.pause": "一時停止",
"video.play": "再生", "video.play": "再生",
"video.unmute": "消音解除", "video.unmute": "消音解除",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "おすすめユーザー" "who_to_follow.title": "おすすめユーザー"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "დაიმალოს ყველაფერი დომენიდან {domain}", "account.block_domain": "დაიმალოს ყველაფერი დომენიდან {domain}",
"account.blocked": "დაიბლოკა", "account.blocked": "დაიბლოკა",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "პირდაპირი წერილი @{name}-ს", "account.direct": "პირდაპირი წერილი @{name}-ს",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "პროფილის ცვლილება", "account.edit_profile": "პროფილის ცვლილება",
"account.endorse": "გამორჩევა პროფილზე", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "გაყოლა", "account.follow": "გაყოლა",
"account.followers": "მიმდევრები", "account.followers": "მიმდევრები",
"account.followers.empty": "No one follows this user yet.", "account.followers.empty": "No one follows this user yet.",
"account.follows": "მიდევნებები", "account.follows": "მიდევნებები",
"account.follows.empty": "This user doesn't follow anyone yet.", "account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "მოგყვებათ", "account.follows_you": "მოგყვებათ",
"account.header.alt": "Profile header",
"account.hide_reblogs": "დაიმალოს ბუსტები @{name}-სგან", "account.hide_reblogs": "დაიმალოს ბუსტები @{name}-სგან",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Ownership of this link was checked on {date}", "account.link_verified_on": "Ownership of this link was checked on {date}",
@ -30,36 +34,56 @@
"account.media": "მედია", "account.media": "მედია",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "ასახელეთ", "account.mention": "ასახელეთ",
"account.moved_to": "{name} გადავიდა:",
"account.mute": "გააჩუმე @{name}", "account.mute": "გააჩუმე @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "ტუტები", "account.posts": "ტუტები",
"account.posts_with_replies": "ტუტები და პასუხები", "account.posts_with_replies": "ტუტები და პასუხები",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "დაარეპორტე @{name}", "account.report": "დაარეპორტე @{name}",
"account.requested": "დამტკიცების მოლოდინში. დააწკაპუნეთ რომ უარყოთ დადევნების მოთხონვა", "account.requested": "დამტკიცების მოლოდინში. დააწკაპუნეთ რომ უარყოთ დადევნების მოთხონვა",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "გააზიარე @{name}-ის პროფილი", "account.share": "გააზიარე @{name}-ის პროფილი",
"account.show_reblogs": "აჩვენე ბუსტები @{name}-სგან", "account.show_reblogs": "აჩვენე ბუსტები @{name}-სგან",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "განბლოკე @{name}", "account.unblock": "განბლოკე @{name}",
"account.unblock_domain": "გამოაჩინე {domain}", "account.unblock_domain": "გამოაჩინე {domain}",
"account.unendorse": "არ გამოირჩეს პროფილზე", "account.unendorse": "არ გამოირჩეს პროფილზე",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "ნუღარ მიჰყვები", "account.unfollow": "ნუღარ მიჰყვები",
"account.unmute": "ნუღარ აჩუმებ @{name}-ს", "account.unmute": "ნუღარ აჩუმებ @{name}-ს",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "შეგიძლიათ დააჭიროთ {combo}-ს რათა შემდეგ ჯერზე გამოტოვოთ ეს", "boost_modal.combo": "შეგიძლიათ დააჭიროთ {combo}-ს რათა შემდეგ ჯერზე გამოტოვოთ ეს",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "ამ კომპონენტის ჩატვირთვისას რაღაც აირია.", "bundle_column_error.body": "ამ კომპონენტის ჩატვირთვისას რაღაც აირია.",
"bundle_column_error.retry": "სცადეთ კიდევ ერთხელ", "bundle_column_error.retry": "სცადეთ კიდევ ერთხელ",
"bundle_column_error.title": "ქსელის შეცდომა", "bundle_column_error.title": "ქსელის შეცდომა",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "ლოკალური თაიმლაინი", "column.community": "ლოკალური თაიმლაინი",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "პირდაპირი წერილები", "column.direct": "პირდაპირი წერილები",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "დამალული დომენები", "column.domain_blocks": "დამალული დომენები",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "დადევნების მოთხოვნები", "column.follow_requests": "დადევნების მოთხოვნები",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "სახლი", "column.home": "სახლი",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "უკან", "column_back_button.label": "უკან",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "პარამეტრების ჩვენება",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "მხოლოდ მედია", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "ეს ტუტი გაეგზავნება მხოლოდ ნახსენებ მომხმარებლებს.", "compose_form.direct_message_warning": "ეს ტუტი გაეგზავნება მხოლოდ ნახსენებ მომხმარებლებს.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "რაზე ფიქრობ?", "compose_form.placeholder": "რაზე ფიქრობ?",
"compose_form.poll.add_option": "Add a choice", "compose_form.poll.add_option": "Add a choice",
"compose_form.poll.duration": "Poll duration", "compose_form.poll.duration": "Poll duration",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Choice {number}", "compose_form.poll.option_placeholder": "Choice {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Delete", "compose_form.poll.remove_option": "Delete",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "ტუტი", "compose_form.publish": "ტუტი",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "მედია მონიშნულია მგრძნობიარედ",
"compose_form.sensitive.unmarked": "მედია არაა მონიშნული მგრძნობიარედ",
"compose_form.spoiler.marked": "გაფრთხილების უკან ტექსტი დამალულია", "compose_form.spoiler.marked": "გაფრთხილების უკან ტექსტი დამალულია",
"compose_form.spoiler.unmarked": "ტექსტი არაა დამალული", "compose_form.spoiler.unmarked": "ტექსტი არაა დამალული",
"compose_form.spoiler_placeholder": "თქვენი გაფრთხილება დაწერეთ აქ", "compose_form.spoiler_placeholder": "თქვენი გაფრთხილება დაწერეთ აქ",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "უარყოფა", "confirmation_modal.cancel": "უარყოფა",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "ბლოკი", "confirmations.block.confirm": "ბლოკი",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "დარწმუნებული ხართ, გსურთ დაბლოკოთ {name}?", "confirmations.block.message": "დარწმუნებული ხართ, გსურთ დაბლოკოთ {name}?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "გაუქმება", "confirmations.delete.confirm": "გაუქმება",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "დარწმუნებული ხართ, გსურთ გააუქმოთ ეს სტატუსი?", "confirmations.delete.message": "დარწმუნებული ხართ, გსურთ გააუქმოთ ეს სტატუსი?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Reply", "confirmations.reply.confirm": "Reply",
"confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?", "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "ეს სტატუსი ჩასვით თქვენს ვებ-საიტზე შემდეგი კოდის კოპირებით.", "embed.instructions": "ეს სტატუსი ჩასვით თქვენს ვებ-საიტზე შემდეგი კოდის კოპირებით.",
"embed.preview": "ესაა თუ როგორც გამოჩნდება:",
"emoji_button.activity": "აქტივობა", "emoji_button.activity": "აქტივობა",
"emoji_button.custom": "პერსონალიზირებული", "emoji_button.custom": "პერსონალიზირებული",
"emoji_button.flags": "დროშები", "emoji_button.flags": "დროშები",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.", "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "ამ ჰეშტეგში ჯერ არაფერია.", "empty_column.hashtag": "ამ ჰეშტეგში ჯერ არაფერია.",
"empty_column.home": "თქვენი სახლის თაიმლაინი ცარიელია! ესტუმრეთ {public}-ს ან დასაწყისისთვის გამოიყენეთ ძებნა, რომ შეხვდეთ სხვა მომხმარებლებს.", "empty_column.home": "თქვენი სახლის თაიმლაინი ცარიელია! ესტუმრეთ {public}-ს ან დასაწყისისთვის გამოიყენეთ ძებნა, რომ შეხვდეთ სხვა მომხმარებლებს.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "ამ სიაში ჯერ არაფერია. როდესაც სიის წევრები დაპოსტავენ ახალ სტატუსებს, ისინი გამოჩნდებიან აქ.", "empty_column.list": "ამ სიაში ჯერ არაფერია. როდესაც სიის წევრები დაპოსტავენ ახალ სტატუსებს, ისინი გამოჩნდებიან აქ.",
"empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.", "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
"empty_column.mutes": "You haven't muted any users yet.", "empty_column.mutes": "You haven't muted any users yet.",
"empty_column.notifications": "ჯერ შეტყობინებები არ გაქვთ. საუბრის დასაწყებად იურთიერთქმედეთ სხვებთან.", "empty_column.notifications": "ჯერ შეტყობინებები არ გაქვთ. საუბრის დასაწყებად იურთიერთქმედეთ სხვებთან.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "აქ არაფერია! შესავსებად, დაწერეთ რაიმე ღიად ან ხელით გაჰყევით მომხმარებლებს სხვა ინსტანციებისგან", "empty_column.public": "აქ არაფერია! შესავსებად, დაწერეთ რაიმე ღიად ან ხელით გაჰყევით მომხმარებლებს სხვა ინსტანციებისგან",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "ავტორიზაცია", "follow_request.authorize": "ავტორიზაცია",
"follow_request.reject": "უარყოფა", "follow_request.reject": "უარყოფა",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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_link} (v{code_version})-ზე.", "getting_started.open_source_notice": "მასტოდონი ღია პროგრამაა. შეგიძლიათ შეუწყოთ ხელი ან შექმნათ პრობემის რეპორტი {code_link} (v{code_version})-ზე.",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "and {additional}", "hashtag.column_header.tag_mode.all": "and {additional}",
"hashtag.column_header.tag_mode.any": "or {additional}", "hashtag.column_header.tag_mode.any": "or {additional}",
"hashtag.column_header.tag_mode.none": "without {additional}", "hashtag.column_header.tag_mode.none": "without {additional}",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "ბუსტების ჩვენება", "home.column_settings.show_reblogs": "ბუსტების ჩვენება",
"home.column_settings.show_replies": "პასუხების ჩვენება", "home.column_settings.show_replies": "პასუხების ჩვენება",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# day} other {# days}}", "intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}", "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "უკან გადასასვლელად", "keyboard_shortcuts.back": "უკან გადასასვლელად",
"keyboard_shortcuts.blocked": "to open blocked users list", "keyboard_shortcuts.blocked": "to open blocked users list",
"keyboard_shortcuts.boost": "დასაბუსტად", "keyboard_shortcuts.boost": "დასაბუსტად",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "ხილვადობის ჩართვა", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "არაა ნაპოვნი", "missing_indicator.label": "არაა ნაპოვნი",
"missing_indicator.sublabel": "ამ რესურსის პოვნა ვერ მოხერხდა", "missing_indicator.sublabel": "ამ რესურსის პოვნა ვერ მოხერხდა",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "დავმალოთ შეტყობინებები ამ მომხმარებლისგან?", "mute_modal.hide_notifications": "დავმალოთ შეტყობინებები ამ მომხმარებლისგან?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "დაბლოკილი მომხმარებლები", "navigation_bar.blocks": "დაბლოკილი მომხმარებლები",
"navigation_bar.compose": "Compose new post", "navigation_bar.compose": "Compose new post",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "დამალული დომენები", "navigation_bar.domain_blocks": "დამალული დომენები",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "გაჩუმებული მომხმარებლები", "navigation_bar.mutes": "გაჩუმებული მომხმარებლები",
"navigation_bar.preferences": "პრეფერენსიები", "navigation_bar.preferences": "პრეფერენსიები",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "უსაფრთხოება",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name}-მა თქვენი სტატუსი აქცია ფავორიტად", "notification.favourite": "{name}-მა თქვენი სტატუსი აქცია ფავორიტად",
"notification.follow": "{name} გამოგყვათ", "notification.follow": "{name} გამოგყვათ",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name}-მა გასახელათ", "notification.mention": "{name}-მა გასახელათ",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "A poll you have voted in has ended", "notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name}-მა დაბუსტა თქვენი სტატუსი", "notification.reblog": "{name}-მა დაბუსტა თქვენი სტატუსი",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "შეტყობინებების გასუფთავება", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "დარწმუნებული ხართ, გსურთ სამუდამოდ წაშალოთ ყველა თქვენი შეტყობინება?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "დესკტოპ შეტყობინებები",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "ფავორიტები:",
"notifications.column_settings.filter_bar.advanced": "Display all categories",
"notifications.column_settings.filter_bar.category": "Quick filter bar",
"notifications.column_settings.filter_bar.show": "Show",
"notifications.column_settings.follow": "ახალი მიმდევრები:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "ხსენებები:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Poll results:",
"notifications.column_settings.push": "ფუშ შეტყობინებები",
"notifications.column_settings.reblog": "ბუსტები:",
"notifications.column_settings.show": "გამოჩნდეს სვეტში",
"notifications.column_settings.sound": "ხმის დაკვრა",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "All", "notifications.filter.all": "All",
"notifications.filter.boosts": "Reposts", "notifications.filter.boosts": "Reposts",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Favorites", "notifications.filter.favourites": "Favorites",
"notifications.filter.follows": "Follows", "notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions", "notifications.filter.mentions": "Mentions",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Poll results", "notifications.filter.polls": "Poll results",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} შეტყობინება", "notifications.group": "{count} შეტყობინება",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Closed", "poll.closed": "Closed",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Refresh", "poll.refresh": "Refresh",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}", "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
"poll.vote": "Vote", "poll.vote": "Vote",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Add a poll", "poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll", "poll_button.remove_poll": "Remove poll",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "სტატუსის კონფიდენციალურობის მითითება", "privacy.change": "სტატუსის კონფიდენციალურობის მითითება",
"privacy.direct.long": "დაიპოსტოს მხოლოდ დასახელებულ მომხმარებლებთან", "privacy.direct.long": "დაიპოსტოს მხოლოდ დასახელებულ მომხმარებლებთან",
"privacy.direct.short": "პირდაპირი", "privacy.direct.short": "პირდაპირი",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "ჩამოუთვლელი", "privacy.unlisted.short": "ჩამოუთვლელი",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "იტვირთება…", "regeneration_indicator.label": "იტვირთება…",
"regeneration_indicator.sublabel": "თქვენი სახლის ლენტა მზადდება!", "regeneration_indicator.sublabel": "თქვენი სახლის ლენტა მზადდება!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}დღ", "relative_time.days": "{number}დღ",
"relative_time.hours": "{number}სთ", "relative_time.hours": "{number}სთ",
"relative_time.just_now": "ახლა", "relative_time.just_now": "ახლა",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "უარყოფა", "reply_indicator.cancel": "უარყოფა",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "ფორვარდი {target}-ს", "report.forward": "ფორვარდი {target}-ს",
"report.forward_hint": "ანგარიში სხვა სერვერიდანაა. გავაგზავნოთ რეპორტის ანონიმური ასლიც?", "report.forward_hint": "ანგარიში სხვა სერვერიდანაა. გავაგზავნოთ რეპორტის ანონიმური ასლიც?",
"report.hint": "რეპორტი გაეგზავნება თქვენი ინსტანციის მოდერატორებს. ქვემოთ შეგიძლიათ დაამატოთ მიზეზი თუ რატომ არეპორტებთ ამ ანგარიშს:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "დამატებითი კომენტარები", "report.placeholder": "დამატებითი კომენტარები",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "დასრულება", "report.submit": "დასრულება",
"report.target": "არეპორტებთ {target}", "report.target": "არეპორტებთ {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "ძებნა", "search.placeholder": "ძებნა",
"search_results.accounts": "ხალხი", "search_results.accounts": "ხალხი",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "ჰეშტეგები", "search_results.hashtags": "ჰეშტეგები",
"search_results.statuses": "ტუტები", "search_results.statuses": "ტუტები",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "Open moderation interface for @{name}", "status.admin_account": "Open moderation interface for @{name}",
"status.admin_status": "Open this post in the moderation interface", "status.admin_status": "Open this post in the moderation interface",
"status.block": "დაბლოკე @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "ბუსტის მოშორება", "status.cancel_reblog_private": "ბუსტის მოშორება",
@ -976,14 +1075,16 @@
"status.delete": "წაშლა", "status.delete": "წაშლა",
"status.detailed_status": "Detailed conversation view", "status.detailed_status": "Detailed conversation view",
"status.direct": "პირდაპირი წერილი @{name}-ს", "status.direct": "პირდაპირი წერილი @{name}-ს",
"status.edit": "Edit",
"status.embed": "ჩართვა", "status.embed": "ჩართვა",
"status.external": "View post on {domain}",
"status.favourite": "ფავორიტი", "status.favourite": "ფავორიტი",
"status.filtered": "ფილტრირებული", "status.filtered": "ფილტრირებული",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "მეტის ჩატვირთვა", "status.load_more": "მეტის ჩატვირთვა",
"status.media_hidden": "მედია დამალულია",
"status.mention": "ასახელე @{name}", "status.mention": "ასახელე @{name}",
"status.more": "მეტი", "status.more": "მეტი",
"status.mute": "გააჩუმე @{name}",
"status.mute_conversation": "გააჩუმე საუბარი", "status.mute_conversation": "გააჩუმე საუბარი",
"status.open": "ამ სტატუსის გაფართოება", "status.open": "ამ სტატუსის გაფართოება",
"status.pin": "აპინე პროფილზე", "status.pin": "აპინე პროფილზე",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Read more", "status.read_more": "Read more",
"status.reblog": "ბუსტი", "status.reblog": "ბუსტი",
"status.reblog_private": "დაიბუსტოს საწყის აუდიტორიაზე", "status.reblog_private": "დაიბუსტოს საწყის აუდიტორიაზე",
@ -1009,13 +1109,15 @@
"status.replyAll": "უპასუხე თემას", "status.replyAll": "უპასუხე თემას",
"status.report": "დაარეპორტე @{name}", "status.report": "დაარეპორტე @{name}",
"status.sensitive_warning": "მგრძნობიარე კონტენტი", "status.sensitive_warning": "მგრძნობიარე კონტენტი",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "გაზიარება", "status.share": "გაზიარება",
"status.show_less": "აჩვენე ნაკლები",
"status.show_less_all": "აჩვენე ნაკლები ყველაზე", "status.show_less_all": "აჩვენე ნაკლები ყველაზე",
"status.show_more": "აჩვენე მეტი",
"status.show_more_all": "აჩვენე მეტი ყველაზე", "status.show_more_all": "აჩვენე მეტი ყველაზე",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "საუბარზე გაჩუმების მოშორება", "status.unmute_conversation": "საუბარზე გაჩუმების მოშორება",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Dismiss suggestion", "suggestions.dismiss": "Dismiss suggestion",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "სახლი", "tabs_bar.home": "სახლი",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "შეტყობინებები", "tabs_bar.notifications": "შეტყობინებები",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "ძებნა", "tabs_bar.search": "ძებნა",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# day} other {# days}} left", "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left", "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left", "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left", "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} საუბრობს", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} საუბრობს",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "თქვენი დრაფტი გაუქმდება თუ დატოვებთ მასტოდონს.", "ui.beforeunload": "თქვენი დრაფტი გაუქმდება თუ დატოვებთ მასტოდონს.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "File upload limit exceeded.", "upload_error.limit": "File upload limit exceeded.",
"upload_error.poll": "File upload not allowed with polls.", "upload_error.poll": "File upload not allowed with polls.",
"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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "აღწერილობა ვიზუალურად უფასურისთვის", "upload_form.description": "აღწერილობა ვიზუალურად უფასურისთვის",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "პაუზა", "video.pause": "პაუზა",
"video.play": "დაკვრა", "video.play": "დაკვრა",
"video.unmute": "ხმის გაჩუმების მოშორება", "video.unmute": "ხმის გაჩუმების მოშორება",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

View File

@ -10,18 +10,22 @@
"account.block_domain": "Домендегі барлығын бұғатта {domain}", "account.block_domain": "Домендегі барлығын бұғатта {domain}",
"account.blocked": "Бұғатталды", "account.blocked": "Бұғатталды",
"account.chat": "Chat with @{name}", "account.chat": "Chat with @{name}",
"account.column_settings.description": "These settings apply to all account timelines.",
"account.column_settings.title": "Acccount timeline settings",
"account.deactivated": "Deactivated", "account.deactivated": "Deactivated",
"account.direct": "Жеке хат @{name}", "account.direct": "Жеке хат @{name}",
"account.domain_blocked": "Domain hidden",
"account.edit_profile": "Профильді өңдеу", "account.edit_profile": "Профильді өңдеу",
"account.endorse": "Профильде рекомендеу", "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.familiar_followers.more": "{count} {count, plural, one {other} other {others}} you follow",
"account.follow": "Жазылу", "account.follow": "Жазылу",
"account.followers": "Оқырмандар", "account.followers": "Оқырмандар",
"account.followers.empty": "Әлі ешкім жазылмаған.", "account.followers.empty": "Әлі ешкім жазылмаған.",
"account.follows": "Жазылғандары", "account.follows": "Жазылғандары",
"account.follows.empty": "Ешкімге жазылмапты.", "account.follows.empty": "Ешкімге жазылмапты.",
"account.follows_you": "Сізге жазылыпты", "account.follows_you": "Сізге жазылыпты",
"account.header.alt": "Profile header",
"account.hide_reblogs": "@{name} атты қолданушының әрекеттерін жасыру", "account.hide_reblogs": "@{name} атты қолданушының әрекеттерін жасыру",
"account.last_status": "Last active", "account.last_status": "Last active",
"account.link_verified_on": "Сілтеме меншігі расталған күн {date}", "account.link_verified_on": "Сілтеме меншігі расталған күн {date}",
@ -30,36 +34,56 @@
"account.media": "Медиа", "account.media": "Медиа",
"account.member_since": "Joined {date}", "account.member_since": "Joined {date}",
"account.mention": "Аталым", "account.mention": "Аталым",
"account.moved_to": "{name} көшіп кетті:",
"account.mute": "Үнсіз қылу @{name}", "account.mute": "Үнсіз қылу @{name}",
"account.muted": "Muted",
"account.never_active": "Never", "account.never_active": "Never",
"account.posts": "Жазбалар", "account.posts": "Жазбалар",
"account.posts_with_replies": "Жазбалар мен жауаптар", "account.posts_with_replies": "Жазбалар мен жауаптар",
"account.profile": "Profile", "account.profile": "Profile",
"account.profile_external": "View profile on {domain}",
"account.register": "Sign up", "account.register": "Sign up",
"account.remote_follow": "Remote follow", "account.remote_follow": "Remote follow",
"account.remove_from_followers": "Remove this follower",
"account.report": "Шағымдану @{name}", "account.report": "Шағымдану @{name}",
"account.requested": "Растауын күтіңіз. Жазылудан бас тарту үшін басыңыз", "account.requested": "Растауын күтіңіз. Жазылудан бас тарту үшін басыңыз",
"account.requested_small": "Awaiting approval", "account.requested_small": "Awaiting approval",
"account.search": "Search from @{name}",
"account.search_self": "Search your posts",
"account.share": "@{name} профилін бөлісу\"", "account.share": "@{name} профилін бөлісу\"",
"account.show_reblogs": "@{name} бөліскендерін көрсету", "account.show_reblogs": "@{name} бөліскендерін көрсету",
"account.subscribe": "Subscribe to notifications from @{name}", "account.subscribe": "Subscribe to notifications from @{name}",
"account.subscribed": "Subscribed", "account.subscribe.failure": "An error occurred trying to subscribe to this account.",
"account.subscribe.success": "You have subscribed to this account.",
"account.unblock": "Бұғаттан шығару @{name}", "account.unblock": "Бұғаттан шығару @{name}",
"account.unblock_domain": "Бұғаттан шығару {domain}", "account.unblock_domain": "Бұғаттан шығару {domain}",
"account.unendorse": "Профильде рекомендемеу", "account.unendorse": "Профильде рекомендемеу",
"account.unendorse.success": "You are no longer featuring @{acct}",
"account.unfollow": "Оқымау", "account.unfollow": "Оқымау",
"account.unmute": "@{name} ескертпелерін қосу", "account.unmute": "@{name} ескертпелерін қосу",
"account.unsubscribe": "Unsubscribe to notifications from @{name}", "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": "Verified Account",
"account.welcome": "Welcome",
"account_gallery.none": "No media to show.", "account_gallery.none": "No media to show.",
"account_moderation_modal.admin_fe": "Open in AdminFE",
"account_moderation_modal.fields.account_role": "Staff level",
"account_moderation_modal.fields.badges": "Custom badges",
"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.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_note.hint": "You can keep notes about this user for yourself (this will not be shared with them):", "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.placeholder": "No comment provided",
"account_note.save": "Save", "account_note.save": "Save",
"account_note.target": "Note for @{target}", "account_note.target": "Note for @{target}",
"account_search.placeholder": "Search for an account", "account_search.placeholder": "Search for an account",
"account_timeline.column_settings.show_pinned": "Show pinned posts", "actualStatus.edited": "Edited {date}",
"actualStatuses.quote_tombstone": "Post is unavailable.",
"admin.awaiting_approval.approved_message": "{acct} was approved!", "admin.awaiting_approval.approved_message": "{acct} was approved!",
"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.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} was rejected.",
@ -96,20 +120,11 @@
"admin.user_index.search_input_placeholder": "Who are you looking for?", "admin.user_index.search_input_placeholder": "Who are you looking for?",
"admin.users.actions.deactivate_user": "Deactivate @{name}", "admin.users.actions.deactivate_user": "Deactivate @{name}",
"admin.users.actions.delete_user": "Delete @{name}", "admin.users.actions.delete_user": "Delete @{name}",
"admin.users.actions.demote_to_moderator": "Demote @{name} to a moderator",
"admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator", "admin.users.actions.demote_to_moderator_message": "@{acct} was demoted to a moderator",
"admin.users.actions.demote_to_user": "Demote @{name} to a regular user",
"admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user", "admin.users.actions.demote_to_user_message": "@{acct} was demoted to a regular user",
"admin.users.actions.promote_to_admin": "Promote @{name} to an admin",
"admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin", "admin.users.actions.promote_to_admin_message": "@{acct} was promoted to an admin",
"admin.users.actions.promote_to_moderator": "Promote @{name} to a moderator",
"admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator", "admin.users.actions.promote_to_moderator_message": "@{acct} was promoted to a moderator",
"admin.users.actions.remove_donor": "Remove @{name} as a donor", "admin.users.badges_saved_message": "Custom badges updated.",
"admin.users.actions.set_donor": "Set @{name} as a donor",
"admin.users.actions.suggest_user": "Suggest @{name}",
"admin.users.actions.unsuggest_user": "Unsuggest @{name}",
"admin.users.actions.unverify_user": "Unverify @{name}",
"admin.users.actions.verify_user": "Verify @{name}",
"admin.users.remove_donor_message": "@{acct} was removed as a donor", "admin.users.remove_donor_message": "@{acct} was removed as a donor",
"admin.users.set_donor_message": "@{acct} was set as a donor", "admin.users.set_donor_message": "@{acct} was set as a donor",
"admin.users.user_deactivated_message": "@{acct} was deactivated", "admin.users.user_deactivated_message": "@{acct} was deactivated",
@ -121,6 +136,9 @@
"admin_nav.awaiting_approval": "Awaiting Approval", "admin_nav.awaiting_approval": "Awaiting Approval",
"admin_nav.dashboard": "Dashboard", "admin_nav.dashboard": "Dashboard",
"admin_nav.reports": "Reports", "admin_nav.reports": "Reports",
"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",
"alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).", "alert.unexpected.body": "We're sorry for the interruption. If the problem persists, please reach out to our support team. You may also try to {clearCookies} (this will log you out).",
"alert.unexpected.browser": "Browser", "alert.unexpected.browser": "Browser",
"alert.unexpected.clear_cookies": "clear cookies and browser data", "alert.unexpected.clear_cookies": "clear cookies and browser data",
@ -136,6 +154,7 @@
"aliases.search": "Search your old account", "aliases.search": "Search your old account",
"aliases.success.add": "Account alias created successfully", "aliases.success.add": "Account alias created successfully",
"aliases.success.remove": "Account alias removed successfully", "aliases.success.remove": "Account alias removed successfully",
"announcements.title": "Announcements",
"app_create.name_label": "App name", "app_create.name_label": "App name",
"app_create.name_placeholder": "e.g. 'Soapbox'", "app_create.name_placeholder": "e.g. 'Soapbox'",
"app_create.redirect_uri_label": "Redirect URIs", "app_create.redirect_uri_label": "Redirect URIs",
@ -150,13 +169,16 @@
"app_create.website_label": "Website", "app_create.website_label": "Website",
"auth.invalid_credentials": "Wrong username or password", "auth.invalid_credentials": "Wrong username or password",
"auth.logged_out": "Logged out.", "auth.logged_out": "Logged out.",
"auth_layout.register": "Create an account",
"backups.actions.create": "Create backup", "backups.actions.create": "Create backup",
"backups.empty_message": "No backups found. {action}", "backups.empty_message": "No backups found. {action}",
"backups.empty_message.action": "Create one now?", "backups.empty_message.action": "Create one now?",
"backups.pending": "Pending", "backups.pending": "Pending",
"beta.also_available": "Available in:", "badge_input.placeholder": "Enter a badge…",
"birthday_panel.title": "Birthdays", "birthday_panel.title": "Birthdays",
"birthdays_modal.empty": "None of your friends have birthday today.",
"boost_modal.combo": "Келесіде өткізіп жіберу үшін басыңыз {combo}", "boost_modal.combo": "Келесіде өткізіп жіберу үшін басыңыз {combo}",
"boost_modal.title": "Repost?",
"bundle_column_error.body": "Бұл компонентті жүктеген кезде бір қате пайда болды.", "bundle_column_error.body": "Бұл компонентті жүктеген кезде бір қате пайда болды.",
"bundle_column_error.retry": "Қайтадан көріңіз", "bundle_column_error.retry": "Қайтадан көріңіз",
"bundle_column_error.title": "Желі қатесі", "bundle_column_error.title": "Желі қатесі",
@ -168,6 +190,7 @@
"chat_box.input.placeholder": "Send a message…", "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.empty": "No chats found. To start a chat, visit a user's profile.",
"chat_panels.main_window.title": "Chats", "chat_panels.main_window.title": "Chats",
"chat_window.close": "Close chat",
"chats.actions.delete": "Delete message", "chats.actions.delete": "Delete message",
"chats.actions.more": "More", "chats.actions.more": "More",
"chats.actions.report": "Report user", "chats.actions.report": "Report user",
@ -198,11 +221,13 @@
"column.community": "Жергілікті желі", "column.community": "Жергілікті желі",
"column.crypto_donate": "Donate Cryptocurrency", "column.crypto_donate": "Donate Cryptocurrency",
"column.developers": "Developers", "column.developers": "Developers",
"column.developers.service_worker": "Service Worker",
"column.direct": "Жеке хаттар", "column.direct": "Жеке хаттар",
"column.directory": "Browse profiles", "column.directory": "Browse profiles",
"column.domain_blocks": "Жасырылған домендер", "column.domain_blocks": "Жасырылған домендер",
"column.edit_profile": "Edit profile", "column.edit_profile": "Edit profile",
"column.export_data": "Export data", "column.export_data": "Export data",
"column.familiar_followers": "People you know following {name}",
"column.favourited_statuses": "Liked posts", "column.favourited_statuses": "Liked posts",
"column.favourites": "Likes", "column.favourites": "Likes",
"column.federation_restrictions": "Federation Restrictions", "column.federation_restrictions": "Federation Restrictions",
@ -227,7 +252,6 @@
"column.follow_requests": "Жазылу сұранымдары", "column.follow_requests": "Жазылу сұранымдары",
"column.followers": "Followers", "column.followers": "Followers",
"column.following": "Following", "column.following": "Following",
"column.groups": "Groups",
"column.home": "Басты бет", "column.home": "Басты бет",
"column.import_data": "Import data", "column.import_data": "Import data",
"column.info": "Server information", "column.info": "Server information",
@ -249,18 +273,17 @@
"column.remote": "Federated timeline", "column.remote": "Federated timeline",
"column.scheduled_statuses": "Scheduled Posts", "column.scheduled_statuses": "Scheduled Posts",
"column.search": "Search", "column.search": "Search",
"column.security": "Security",
"column.settings_store": "Settings store", "column.settings_store": "Settings store",
"column.soapbox_config": "Soapbox config", "column.soapbox_config": "Soapbox config",
"column.test": "Test timeline", "column.test": "Test timeline",
"column_back_button.label": "Артқа", "column_back_button.label": "Артқа",
"column_forbidden.body": "You do not have permission to access this page.", "column_forbidden.body": "You do not have permission to access this page.",
"column_forbidden.title": "Forbidden", "column_forbidden.title": "Forbidden",
"column_header.show_settings": "Баптауларды көрсет",
"common.cancel": "Cancel", "common.cancel": "Cancel",
"community.column_settings.media_only": "Тек медиа", "common.error": "Something isn't right. Try reloading the page.",
"community.column_settings.title": "Local timeline settings", "compare_history_modal.header": "Edit history",
"compose.character_counter.title": "Used {chars} out of {maxChars} characters", "compose.character_counter.title": "Used {chars} out of {maxChars} characters",
"compose.edit_success": "Your post was edited",
"compose.invalid_schedule": "You must schedule a post at least 5 minutes out.", "compose.invalid_schedule": "You must schedule a post at least 5 minutes out.",
"compose.submit_success": "Your post was sent", "compose.submit_success": "Your post was sent",
"compose_form.direct_message_warning": "Тек аталған қолданушыларға.", "compose_form.direct_message_warning": "Тек аталған қолданушыларға.",
@ -273,21 +296,25 @@
"compose_form.placeholder": "Не бөліскіңіз келеді?", "compose_form.placeholder": "Не бөліскіңіз келеді?",
"compose_form.poll.add_option": "Жауап қос", "compose_form.poll.add_option": "Жауап қос",
"compose_form.poll.duration": "Сауалнама мерзімі", "compose_form.poll.duration": "Сауалнама мерзімі",
"compose_form.poll.multiselect": "Multi-Select",
"compose_form.poll.multiselect_detail": "Allow users to select multiple answers",
"compose_form.poll.option_placeholder": "Жауап {number}", "compose_form.poll.option_placeholder": "Жауап {number}",
"compose_form.poll.remove": "Remove poll",
"compose_form.poll.remove_option": "Бұл жауапты өшір", "compose_form.poll.remove_option": "Бұл жауапты өшір",
"compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices", "compose_form.poll.switch_to_multiple": "Change poll to allow multiple choices",
"compose_form.poll.switch_to_single": "Change poll to allow for a single choice", "compose_form.poll.switch_to_single": "Change poll to allow for a single choice",
"compose_form.poll_placeholder": "Add a poll topic...",
"compose_form.publish": "Түрт", "compose_form.publish": "Түрт",
"compose_form.publish_loud": "{publish}!", "compose_form.publish_loud": "{publish}!",
"compose_form.save_changes": "Save changes",
"compose_form.schedule": "Schedule", "compose_form.schedule": "Schedule",
"compose_form.scheduled_statuses.click_here": "Click here", "compose_form.scheduled_statuses.click_here": "Click here",
"compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.", "compose_form.scheduled_statuses.message": "You have scheduled posts. {click_here} to see them.",
"compose_form.sensitive.hide": "Mark media as sensitive",
"compose_form.sensitive.marked": "Медиа нәзік деп белгіленген",
"compose_form.sensitive.unmarked": "Медиа нәзік деп белгіленбеген",
"compose_form.spoiler.marked": "Мәтін ескертумен жасырылған", "compose_form.spoiler.marked": "Мәтін ескертумен жасырылған",
"compose_form.spoiler.unmarked": "Мәтін жасырылмаған", "compose_form.spoiler.unmarked": "Мәтін жасырылмаған",
"compose_form.spoiler_placeholder": "Ескертуіңізді осында жазыңыз", "compose_form.spoiler_placeholder": "Ескертуіңізді осында жазыңыз",
"compose_form.spoiler_remove": "Remove sensitive",
"compose_form.spoiler_title": "Sensitive content",
"confirmation_modal.cancel": "Қайтып алу", "confirmation_modal.cancel": "Қайтып алу",
"confirmations.admin.deactivate_user.confirm": "Deactivate @{name}", "confirmations.admin.deactivate_user.confirm": "Deactivate @{name}",
"confirmations.admin.deactivate_user.heading": "Deactivate @{acct}", "confirmations.admin.deactivate_user.heading": "Deactivate @{acct}",
@ -312,6 +339,9 @@
"confirmations.block.confirm": "Бұғаттау", "confirmations.block.confirm": "Бұғаттау",
"confirmations.block.heading": "Block @{name}", "confirmations.block.heading": "Block @{name}",
"confirmations.block.message": "{name} атты қолданушыны бұғаттайтыныңызға сенімдісіз бе?", "confirmations.block.message": "{name} атты қолданушыны бұғаттайтыныңызға сенімдісіз бе?",
"confirmations.cancel_editing.confirm": "Cancel editing",
"confirmations.cancel_editing.heading": "Cancel post editing",
"confirmations.cancel_editing.message": "Are you sure you want to cancel editing this post? All changes will be lost.",
"confirmations.delete.confirm": "Өшіру", "confirmations.delete.confirm": "Өшіру",
"confirmations.delete.heading": "Delete post", "confirmations.delete.heading": "Delete post",
"confirmations.delete.message": "Бұл жазбаны өшіресіз бе?", "confirmations.delete.message": "Бұл жазбаны өшіресіз бе?",
@ -331,8 +361,13 @@
"confirmations.register.needs_approval.header": "Approval needed", "confirmations.register.needs_approval.header": "Approval needed",
"confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.", "confirmations.register.needs_confirmation": "Please check your inbox at {email} for confirmation instructions. You will need to verify your email address to continue.",
"confirmations.register.needs_confirmation.header": "Confirmation needed", "confirmations.register.needs_confirmation.header": "Confirmation needed",
"confirmations.remove_from_followers.confirm": "Remove",
"confirmations.remove_from_followers.message": "Are you sure you want to remove {name} from your followers?",
"confirmations.reply.confirm": "Жауап", "confirmations.reply.confirm": "Жауап",
"confirmations.reply.message": "Жауабыңыз жазып жатқан жазбаңыздың үстіне кетеді. Жалғастырамыз ба?", "confirmations.reply.message": "Жауабыңыз жазып жатқан жазбаңыздың үстіне кетеді. Жалғастырамыз ба?",
"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.scheduled_status_delete.confirm": "Cancel", "confirmations.scheduled_status_delete.confirm": "Cancel",
"confirmations.scheduled_status_delete.heading": "Cancel scheduled post", "confirmations.scheduled_status_delete.heading": "Cancel scheduled post",
"confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?", "confirmations.scheduled_status_delete.message": "Are you sure you want to cancel this scheduled post?",
@ -344,11 +379,14 @@
"crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}", "crypto_donate_panel.actions.view": "Click to see {count} {count, plural, one {wallet} other {wallets}}",
"crypto_donate_panel.heading": "Donate Cryptocurrency", "crypto_donate_panel.heading": "Donate Cryptocurrency",
"crypto_donate_panel.intro.message": "{siteTitle} accepts cryptocurrency donations to fund our service. Thank you for your support!", "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.hint": "Scheduled to post at…",
"datepicker.month": "Month",
"datepicker.next_month": "Next month", "datepicker.next_month": "Next month",
"datepicker.next_year": "Next year", "datepicker.next_year": "Next year",
"datepicker.previous_month": "Previous month", "datepicker.previous_month": "Previous month",
"datepicker.previous_year": "Previous year", "datepicker.previous_year": "Previous year",
"datepicker.year": "Year",
"developers.challenge.answer_label": "Answer", "developers.challenge.answer_label": "Answer",
"developers.challenge.answer_placeholder": "Your answer", "developers.challenge.answer_placeholder": "Your answer",
"developers.challenge.fail": "Wrong answer", "developers.challenge.fail": "Wrong answer",
@ -360,14 +398,18 @@
"developers.navigation.intentional_error_label": "Trigger an error", "developers.navigation.intentional_error_label": "Trigger an error",
"developers.navigation.leave_developers_label": "Leave developers", "developers.navigation.leave_developers_label": "Leave developers",
"developers.navigation.network_error_label": "Network error", "developers.navigation.network_error_label": "Network error",
"developers.navigation.service_worker_label": "Service Worker",
"developers.navigation.settings_store_label": "Settings store", "developers.navigation.settings_store_label": "Settings store",
"developers.navigation.test_timeline_label": "Test timeline", "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.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…", "direct.search_placeholder": "Send a message to…",
"directory.federated": "From known fediverse", "directory.federated": "From known fediverse",
"directory.local": "From {domain} only", "directory.local": "From {domain} only",
"directory.new_arrivals": "New arrivals", "directory.new_arrivals": "New arrivals",
"directory.recently_active": "Recently active", "directory.recently_active": "Recently active",
"edit_email.header": "Change Email",
"edit_email.placeholder": "me@example.com",
"edit_federation.followers_only": "Hide posts except to followers", "edit_federation.followers_only": "Hide posts except to followers",
"edit_federation.force_nsfw": "Force attachments to be marked sensitive", "edit_federation.force_nsfw": "Force attachments to be marked sensitive",
"edit_federation.media_removal": "Strip media", "edit_federation.media_removal": "Strip media",
@ -394,6 +436,7 @@
"edit_profile.fields.locked_label": "Lock account", "edit_profile.fields.locked_label": "Lock account",
"edit_profile.fields.meta_fields.content_placeholder": "Content", "edit_profile.fields.meta_fields.content_placeholder": "Content",
"edit_profile.fields.meta_fields.label_placeholder": "Label", "edit_profile.fields.meta_fields.label_placeholder": "Label",
"edit_profile.fields.meta_fields_label": "Profile fields",
"edit_profile.fields.stranger_notifications_label": "Block notifications from strangers", "edit_profile.fields.stranger_notifications_label": "Block notifications from strangers",
"edit_profile.fields.website_label": "Website", "edit_profile.fields.website_label": "Website",
"edit_profile.fields.website_placeholder": "Display a Link", "edit_profile.fields.website_placeholder": "Display a Link",
@ -405,19 +448,31 @@
"edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}", "edit_profile.hints.header": "PNG, GIF or JPG. Will be downscaled to {size}",
"edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile", "edit_profile.hints.hide_network": "Who you follow and who follows you will not be shown on your profile",
"edit_profile.hints.locked": "Requires you to manually approve followers", "edit_profile.hints.locked": "Requires you to manually approve followers",
"edit_profile.hints.meta_fields": "You can have up to {count, plural, one {# custom field} other {# custom fields}} displayed on your profile.",
"edit_profile.hints.stranger_notifications": "Only show notifications from people you follow", "edit_profile.hints.stranger_notifications": "Only show notifications from people you follow",
"edit_profile.save": "Save", "edit_profile.save": "Save",
"edit_profile.success": "Profile saved!", "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.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": "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.body": "Please request a new email confirmation.",
"email_passthru.generic_fail.heading": "Something Went Wrong", "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.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_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.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_passthru.token_not_found.heading": "Invalid Token",
"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.",
"embed.instructions": "Төмендегі кодты көшіріп алу арқылы жазбаны басқа сайттарға да орналастыра аласыз.", "embed.instructions": "Төмендегі кодты көшіріп алу арқылы жазбаны басқа сайттарға да орналастыра аласыз.",
"embed.preview": "Былай көрінетін болады:",
"emoji_button.activity": "Белсенділік", "emoji_button.activity": "Белсенділік",
"emoji_button.custom": "Жеке", "emoji_button.custom": "Жеке",
"emoji_button.flags": "Тулар", "emoji_button.flags": "Тулар",
@ -448,20 +503,23 @@
"empty_column.filters": "You haven't created any muted words yet.", "empty_column.filters": "You haven't created any muted words yet.",
"empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.", "empty_column.follow_recommendations": "Looks like no suggestions could be generated for you. You can try using search to look for people you might know or explore trending hashtags.",
"empty_column.follow_requests": "Әлі ешқандай жазылуға сұранымдар келмеді. Жаңа сұранымдар осында көрінетін болады.", "empty_column.follow_requests": "Әлі ешқандай жазылуға сұранымдар келмеді. Жаңа сұранымдар осында көрінетін болады.",
"empty_column.group": "There is nothing in this group yet. When members of this group make new posts, they will appear here.",
"empty_column.hashtag": "Бұндай хэштегпен әлі ешкім жазбапты.", "empty_column.hashtag": "Бұндай хэштегпен әлі ешкім жазбапты.",
"empty_column.home": "Әлі ешкімге жазылмапсыз. Бәлкім {public} жазбаларын қарап немесе іздеуді қолданып көрерсіз.", "empty_column.home": "Әлі ешкімге жазылмапсыз. Бәлкім {public} жазбаларын қарап немесе іздеуді қолданып көрерсіз.",
"empty_column.home.local_tab": "the {site_title} tab", "empty_column.home.local_tab": "the {site_title} tab",
"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.list": "Бұл тізімде ештеңе жоқ.", "empty_column.list": "Бұл тізімде ештеңе жоқ.",
"empty_column.lists": "Әзірше ешқандай тізіміңіз жоқ. Біреуін құрғаннан кейін осы жерде көрінетін болады.", "empty_column.lists": "Әзірше ешқандай тізіміңіз жоқ. Біреуін құрғаннан кейін осы жерде көрінетін болады.",
"empty_column.mutes": "Әзірше ешқандай үнсізге қойылған қолданушы жоқ.", "empty_column.mutes": "Әзірше ешқандай үнсізге қойылған қолданушы жоқ.",
"empty_column.notifications": "Әзірше ешқандай ескертпе жоқ. Басқалармен араласуды бастаңыз және пікірталастарға қатысыңыз.", "empty_column.notifications": "Әзірше ешқандай ескертпе жоқ. Басқалармен араласуды бастаңыз және пікірталастарға қатысыңыз.",
"empty_column.notifications_filtered": "You don't have any notifications of this type yet.",
"empty_column.public": "Ештеңе жоқ бұл жерде! Өзіңіз бастап жазып көріңіз немесе басқаларға жазылыңыз", "empty_column.public": "Ештеңе жоқ бұл жерде! Өзіңіз бастап жазып көріңіз немесе басқаларға жазылыңыз",
"empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.", "empty_column.remote": "There is nothing here! Manually follow users from {instance} to fill it up.",
"empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.", "empty_column.scheduled_statuses": "You don't have any scheduled statuses yet. When you add one, it will show up here.",
"empty_column.search.accounts": "There are no people results for \"{term}\"", "empty_column.search.accounts": "There are no people results for \"{term}\"",
"empty_column.search.hashtags": "There are no hashtags results for \"{term}\"", "empty_column.search.hashtags": "There are no hashtags results for \"{term}\"",
"empty_column.search.statuses": "There are no posts results for \"{term}\"", "empty_column.search.statuses": "There are no posts results for \"{term}\"",
"empty_column.test": "The test timeline is empty.",
"export_data.actions.export": "Export", "export_data.actions.export": "Export",
"export_data.actions.export_blocks": "Export blocks", "export_data.actions.export_blocks": "Export blocks",
"export_data.actions.export_follows": "Export follows", "export_data.actions.export_follows": "Export follows",
@ -487,6 +545,8 @@
"fediverse_tab.explanation_box.dismiss": "Don't show again", "fediverse_tab.explanation_box.dismiss": "Don't show again",
"fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.", "fediverse_tab.explanation_box.explanation": "{site_title} is part of the Fediverse, a social network made up of thousands of independent social media sites (aka \"servers\"). The posts you see here are from 3rd-party servers. You have the freedom to engage with them, or to block any server you don't like. Pay attention to the full username after the second @ symbol to know which server a post is from. To see only {site_title} posts, visit {local}.",
"fediverse_tab.explanation_box.title": "What is the Fediverse?", "fediverse_tab.explanation_box.title": "What is the Fediverse?",
"feed_suggestions.heading": "Suggested Profiles",
"feed_suggestions.view_all": "View all",
"filters.added": "Filter added.", "filters.added": "Filter added.",
"filters.context_header": "Filter contexts", "filters.context_header": "Filter contexts",
"filters.context_hint": "One or multiple contexts where the filter should apply", "filters.context_hint": "One or multiple contexts where the filter should apply",
@ -498,43 +558,14 @@
"filters.filters_list_phrase_label": "Keyword or phrase:", "filters.filters_list_phrase_label": "Keyword or phrase:",
"filters.filters_list_whole-word": "Whole word", "filters.filters_list_whole-word": "Whole word",
"filters.removed": "Filter deleted.", "filters.removed": "Filter deleted.",
"follow_recommendation.subhead": "Let's get started!", "followRecommendations.heading": "Suggested Profiles",
"follow_recommendations.done": "Done",
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
"follow_request.authorize": "Авторизация", "follow_request.authorize": "Авторизация",
"follow_request.reject": "Қабылдамау", "follow_request.reject": "Қабылдамау",
"forms.copy": "Copy", "gdpr.accept": "Accept",
"forms.hide_password": "Hide password", "gdpr.learn_more": "Learn more",
"forms.show_password": "Show password", "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} - ашық кодты құрылым. Түзету енгізу немесе ұсыныстарды GitLab арқылы жасаңыз {code_link} (v{code_version}).", "getting_started.open_source_notice": "{code_name} - ашық кодты құрылым. Түзету енгізу немесе ұсыныстарды GitLab арқылы жасаңыз {code_link} (v{code_version}).",
"group.detail.archived_group": "Archived group",
"group.members.empty": "This group does not has any members.",
"group.removed_accounts.empty": "This group does not has any removed accounts.",
"groups.card.join": "Join",
"groups.card.members": "Members",
"groups.card.roles.admin": "You're an admin",
"groups.card.roles.member": "You're a member",
"groups.card.view": "View",
"groups.create": "Create group",
"groups.detail.role_admin": "You're an admin",
"groups.edit": "Edit",
"groups.form.coverImage": "Upload new banner image (optional)",
"groups.form.coverImageChange": "Banner image selected",
"groups.form.create": "Create group",
"groups.form.description": "Description",
"groups.form.title": "Title",
"groups.form.update": "Update group",
"groups.join": "Join group",
"groups.leave": "Leave group",
"groups.removed_accounts": "Removed Accounts",
"groups.sidebar-panel.item.no_recent_activity": "No recent activity",
"groups.sidebar-panel.item.view": "new posts",
"groups.sidebar-panel.show_all": "Show all",
"groups.sidebar-panel.title": "Groups You're In",
"groups.tab_admin": "Manage",
"groups.tab_featured": "Featured",
"groups.tab_member": "Member",
"hashtag.column_header.tag_mode.all": "және {additional}", "hashtag.column_header.tag_mode.all": "және {additional}",
"hashtag.column_header.tag_mode.any": "немесе {additional}", "hashtag.column_header.tag_mode.any": "немесе {additional}",
"hashtag.column_header.tag_mode.none": "{additional} болмай", "hashtag.column_header.tag_mode.none": "{additional} болмай",
@ -543,11 +574,10 @@
"header.login.label": "Log in", "header.login.label": "Log in",
"header.login.password.label": "Password", "header.login.password.label": "Password",
"header.login.username.placeholder": "Email or username", "header.login.username.placeholder": "Email or username",
"header.menu.title": "Open menu",
"header.register.label": "Register", "header.register.label": "Register",
"home.column_settings.show_direct": "Show direct messages",
"home.column_settings.show_reblogs": "Бөлісулерді көрсету", "home.column_settings.show_reblogs": "Бөлісулерді көрсету",
"home.column_settings.show_replies": "Жауаптарды көрсету", "home.column_settings.show_replies": "Жауаптарды көрсету",
"home.column_settings.title": "Home settings",
"icon_button.icons": "Icons", "icon_button.icons": "Icons",
"icon_button.label": "Select icon", "icon_button.label": "Select icon",
"icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻", "icon_button.not_found": "No icons!! (╯°□°)╯︵ ┻━┻",
@ -564,24 +594,12 @@
"import_data.success.blocks": "Blocks imported successfully", "import_data.success.blocks": "Blocks imported successfully",
"import_data.success.followers": "Followers imported successfully", "import_data.success.followers": "Followers imported successfully",
"import_data.success.mutes": "Mutes imported successfully", "import_data.success.mutes": "Mutes imported successfully",
"input.copy": "Copy",
"input.password.hide_password": "Hide password", "input.password.hide_password": "Hide password",
"input.password.show_password": "Show password", "input.password.show_password": "Show password",
"intervals.full.days": "{number, plural, one {# күн} other {# күн}}", "intervals.full.days": "{number, plural, one {# күн} other {# күн}}",
"intervals.full.hours": "{number, plural, one {# сағат} other {# сағат}}", "intervals.full.hours": "{number, plural, one {# сағат} other {# сағат}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}", "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
"introduction.federation.action": "Next",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.interactions.action": "Finish tutorial!",
"introduction.interactions.favourite.headline": "Favorite",
"introduction.interactions.favourite.text": "You can save a post for later, and let the author know that you liked it, by favoriting it.",
"introduction.interactions.reblog.headline": "Repost",
"introduction.interactions.reblog.text": "You can share other people's posts with your followers by reposting them.",
"introduction.interactions.reply.headline": "Reply",
"introduction.interactions.reply.text": "You can reply to other people's and your own posts, which will chain them together in a conversation.",
"introduction.welcome.action": "Let's go!",
"introduction.welcome.headline": "First steps",
"introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
"keyboard_shortcuts.back": "артқа қайту", "keyboard_shortcuts.back": "артқа қайту",
"keyboard_shortcuts.blocked": "бұғатталғандар тізімін ашу", "keyboard_shortcuts.blocked": "бұғатталғандар тізімін ашу",
"keyboard_shortcuts.boost": "жазба бөлісу", "keyboard_shortcuts.boost": "жазба бөлісу",
@ -638,13 +656,18 @@
"login.fields.username_label": "Email or username", "login.fields.username_label": "Email or username",
"login.log_in": "Log in", "login.log_in": "Log in",
"login.otp_log_in": "OTP Login", "login.otp_log_in": "OTP Login",
"login.otp_log_in.fail": "Invalid code, please try again.",
"login.reset_password_hint": "Trouble logging in?", "login.reset_password_hint": "Trouble logging in?",
"login.sign_in": "Sign in", "login.sign_in": "Sign in",
"media_gallery.toggle_visible": "Көрінуді қосу", "login_external.errors.instance_fail": "The instance returned an error.",
"login_external.errors.network_fail": "Connection failed. Is a browser extension blocking it?",
"login_form.header": "Sign In",
"media_panel.empty_message": "No media found.", "media_panel.empty_message": "No media found.",
"media_panel.title": "Media", "media_panel.title": "Media",
"mfa.confirm.success_message": "MFA confirmed", "mfa.confirm.success_message": "MFA confirmed",
"mfa.disable.success_message": "MFA disabled", "mfa.disable.success_message": "MFA disabled",
"mfa.disabled": "Disabled",
"mfa.enabled": "Enabled",
"mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:", "mfa.mfa_disable_enter_password": "Enter your current password to disable two-factor auth:",
"mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.", "mfa.mfa_setup.code_hint": "Enter the code from your two-factor app.",
"mfa.mfa_setup.code_placeholder": "Code", "mfa.mfa_setup.code_placeholder": "Code",
@ -661,8 +684,10 @@
"migration.fields.acct.placeholder": "username@domain", "migration.fields.acct.placeholder": "username@domain",
"migration.fields.confirm_password.label": "Current password", "migration.fields.confirm_password.label": "Current password",
"migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.", "migration.hint": "This will move your followers to the new account. No other data will be moved. To perform migration, you need to {link} on your new account first.",
"migration.hint.cooldown_period": "If you migrate your account, you will not be able to migrate your account for {cooldownPeriod, plural, one {one day} other {the next # days}}.",
"migration.hint.link": "create an account alias", "migration.hint.link": "create an account alias",
"migration.move_account.fail": "Account migration failed.", "migration.move_account.fail": "Account migration failed.",
"migration.move_account.fail.cooldown_period": "You have moved your account too recently. Please try again later.",
"migration.move_account.success": "Account successfully moved.", "migration.move_account.success": "Account successfully moved.",
"migration.submit": "Move followers", "migration.submit": "Move followers",
"missing_description_modal.cancel": "Cancel", "missing_description_modal.cancel": "Cancel",
@ -671,23 +696,32 @@
"missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?", "missing_description_modal.text": "You have not entered a description for all attachments. Continue anyway?",
"missing_indicator.label": "Табылмады", "missing_indicator.label": "Табылмады",
"missing_indicator.sublabel": "Бұл ресурс табылмады", "missing_indicator.sublabel": "Бұл ресурс табылмады",
"mobile.also_available": "Available in:", "moderation_overlay.contact": "Contact",
"morefollows.followers_label": "…and {count} more {count, plural, one {follower} other {followers}} on remote sites.", "moderation_overlay.hide": "Hide content",
"morefollows.following_label": "…and {count} more {count, plural, one {follow} other {follows}} on remote sites.", "moderation_overlay.show": "Show Content",
"moderation_overlay.subtitle": "This Post has been sent to Moderation for review and is only visible to you. If you believe this is an error please contact Support.",
"moderation_overlay.title": "Content Under Review",
"mute_modal.auto_expire": "Automatically expire mute?",
"mute_modal.duration": "Duration",
"mute_modal.hide_notifications": "Бұл қолданушы ескертпелерін жасырамыз ба?", "mute_modal.hide_notifications": "Бұл қолданушы ескертпелерін жасырамыз ба?",
"navbar.login.action": "Log in",
"navbar.login.forgot_password": "Forgot password?",
"navbar.login.password.label": "Password",
"navbar.login.username.placeholder": "Email or username",
"navigation.chats": "Chats", "navigation.chats": "Chats",
"navigation.compose": "Compose", "navigation.compose": "Compose",
"navigation.dashboard": "Dashboard", "navigation.dashboard": "Dashboard",
"navigation.developers": "Developers", "navigation.developers": "Developers",
"navigation.direct_messages": "Messages", "navigation.direct_messages": "Messages",
"navigation.home": "Home", "navigation.home": "Home",
"navigation.invites": "Invites",
"navigation.notifications": "Notifications", "navigation.notifications": "Notifications",
"navigation.search": "Search", "navigation.search": "Search",
"navigation_bar.account_aliases": "Account aliases",
"navigation_bar.account_migration": "Move account", "navigation_bar.account_migration": "Move account",
"navigation_bar.blocks": "Бұғатталғандар", "navigation_bar.blocks": "Бұғатталғандар",
"navigation_bar.compose": "Жаңа жазба бастау", "navigation_bar.compose": "Жаңа жазба бастау",
"navigation_bar.compose_direct": "Direct message", "navigation_bar.compose_direct": "Direct message",
"navigation_bar.compose_edit": "Edit post",
"navigation_bar.compose_quote": "Quote post", "navigation_bar.compose_quote": "Quote post",
"navigation_bar.compose_reply": "Reply to post", "navigation_bar.compose_reply": "Reply to post",
"navigation_bar.domain_blocks": "Жабық домендер", "navigation_bar.domain_blocks": "Жабық домендер",
@ -701,60 +735,50 @@
"navigation_bar.mutes": "Үнсіз қолданушылар", "navigation_bar.mutes": "Үнсіз қолданушылар",
"navigation_bar.preferences": "Басымдықтар", "navigation_bar.preferences": "Басымдықтар",
"navigation_bar.profile_directory": "Profile directory", "navigation_bar.profile_directory": "Profile directory",
"navigation_bar.security": "Қауіпсіздік",
"navigation_bar.soapbox_config": "Soapbox config", "navigation_bar.soapbox_config": "Soapbox config",
"notification.birthday": "{name} has a birthday today",
"notification.birthday.more": "{count} more {count, plural, one {friend} other {friends}}",
"notification.birthday_plural": "{name} and {more} have birthday today",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.favourite": "{name} жазбаңызды таңдаулыға қосты", "notification.favourite": "{name} жазбаңызды таңдаулыға қосты",
"notification.follow": "{name} сізге жазылды", "notification.follow": "{name} сізге жазылды",
"notification.follow_request": "{name} has requested to follow you", "notification.follow_request": "{name} has requested to follow you",
"notification.mention": "{name} сізді атап өтті", "notification.mention": "{name} сізді атап өтті",
"notification.mentioned": "{name} mentioned you",
"notification.move": "{name} moved to {targetName}", "notification.move": "{name} moved to {targetName}",
"notification.name": "{link}{others}",
"notification.others": " + {count} {count, plural, one {other} other {others}}",
"notification.pleroma:chat_mention": "{name} sent you a message",
"notification.pleroma:emoji_reaction": "{name} reacted to your post", "notification.pleroma:emoji_reaction": "{name} reacted to your post",
"notification.poll": "Бұл сауалнаманың мерзімі аяқталыпты", "notification.poll": "Бұл сауалнаманың мерзімі аяқталыпты",
"notification.reblog": "{name} жазбаңызды бөлісті", "notification.reblog": "{name} жазбаңызды бөлісті",
"notification.status": "{name} just posted", "notification.status": "{name} just posted",
"notifications.clear": "Ескертпелерді тазарт", "notification.update": "{name} edited a post you interacted with",
"notifications.clear_confirmation": "Шынымен барлық ескертпелерді өшіресіз бе?", "notification.user_approved": "Welcome to {instance}!",
"notifications.clear_heading": "Clear notifications",
"notifications.column_settings.alert": "Үстел ескертпелері",
"notifications.column_settings.birthdays.category": "Birthdays",
"notifications.column_settings.birthdays.show": "Show birthday reminders",
"notifications.column_settings.emoji_react": "Emoji reacts:",
"notifications.column_settings.favourite": "Таңдаулылар:",
"notifications.column_settings.filter_bar.advanced": "Барлық категорияны көрсет",
"notifications.column_settings.filter_bar.category": "Жедел сүзгі",
"notifications.column_settings.filter_bar.show": "Көрсету",
"notifications.column_settings.follow": "Жаңа оқырмандар:",
"notifications.column_settings.follow_request": "New follow requests:",
"notifications.column_settings.mention": "Аталымдар:",
"notifications.column_settings.move": "Moves:",
"notifications.column_settings.poll": "Нәтижелері:",
"notifications.column_settings.push": "Push ескертпелер",
"notifications.column_settings.reblog": "Бөлісулер:",
"notifications.column_settings.show": "Бағанда көрсет",
"notifications.column_settings.sound": "Дыбысын қос",
"notifications.column_settings.sounds": "Sounds",
"notifications.column_settings.sounds.all_sounds": "Play sound for all notifications",
"notifications.column_settings.title": "Notification settings",
"notifications.filter.all": "Барлығы", "notifications.filter.all": "Барлығы",
"notifications.filter.boosts": "Бөлісулер", "notifications.filter.boosts": "Бөлісулер",
"notifications.filter.emoji_reacts": "Emoji reacts", "notifications.filter.emoji_reacts": "Emoji reacts",
"notifications.filter.favourites": "Таңдаулылар", "notifications.filter.favourites": "Таңдаулылар",
"notifications.filter.follows": "Жазылулар", "notifications.filter.follows": "Жазылулар",
"notifications.filter.mentions": "Аталымдар", "notifications.filter.mentions": "Аталымдар",
"notifications.filter.moves": "Moves",
"notifications.filter.polls": "Сауалнама нәтижелері", "notifications.filter.polls": "Сауалнама нәтижелері",
"notifications.filter.statuses": "Updates from people you follow", "notifications.filter.statuses": "Updates from people you follow",
"notifications.group": "{count} ескертпе", "notifications.group": "{count} ескертпе",
"notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}", "notifications.queue_label": "Click to see {count} new {count, plural, one {notification} other {notifications}}",
"oauth_consumer.tooltip": "Sign in with {provider}",
"oauth_consumers.title": "Other ways to sign in",
"onboarding.avatar.subtitle": "Just have fun with it.", "onboarding.avatar.subtitle": "Just have fun with it.",
"onboarding.avatar.title": "Choose a profile picture", "onboarding.avatar.title": "Choose a profile picture",
"onboarding.bio.hint": "Max 500 characters",
"onboarding.bio.placeholder": "Tell the world a little about yourself…",
"onboarding.display_name.label": "Display name",
"onboarding.display_name.placeholder": "Eg. John Smith",
"onboarding.display_name.subtitle": "You can always edit this later.", "onboarding.display_name.subtitle": "You can always edit this later.",
"onboarding.display_name.title": "Choose a display name", "onboarding.display_name.title": "Choose a display name",
"onboarding.done": "Done", "onboarding.done": "Done",
"onboarding.error": "An unexpected error occurred. Please try again or skip this step.",
"onboarding.fediverse.its_you": "This is you! Other people can follow you from other servers by using your full @-handle.",
"onboarding.fediverse.message": "The Fediverse is a social network made up of thousands of diverse and independently-run social media sites (aka \"servers\"). You can follow users — and like, repost, and reply to posts — from most other Fediverse servers, because they can communicate with {siteTitle}.",
"onboarding.fediverse.next": "Next",
"onboarding.fediverse.other_instances": "When browsing your timeline, pay attention to the full username after the second @ symbol to know which server a post is from.",
"onboarding.fediverse.title": "{siteTitle} is just one part of the Fediverse",
"onboarding.fediverse.trailer": "Because it is distributed and anyone can run their own server, the Fediverse is resilient and open. If you choose to join another server or set up your own, you can interact with the same people and continue on the same social graph.",
"onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.", "onboarding.finished.message": "We are very excited to welcome you to our community! Tap the button below to get started.",
"onboarding.finished.title": "Onboarding complete", "onboarding.finished.title": "Onboarding complete",
"onboarding.header.subtitle": "This will be shown at the top of your profile.", "onboarding.header.subtitle": "This will be shown at the top of your profile.",
@ -769,32 +793,54 @@
"onboarding.view_feed": "View Feed", "onboarding.view_feed": "View Feed",
"password_reset.confirmation": "Check your email for confirmation.", "password_reset.confirmation": "Check your email for confirmation.",
"password_reset.fields.username_placeholder": "Email or username", "password_reset.fields.username_placeholder": "Email or username",
"password_reset.header": "Reset Password",
"password_reset.reset": "Reset password", "password_reset.reset": "Reset password",
"patron.donate": "Donate", "patron.donate": "Donate",
"patron.title": "Funding Goal", "patron.title": "Funding Goal",
"pinned_accounts.title": "{name}s choices", "pinned_accounts.title": "{name}s choices",
"pinned_statuses.none": "No pins to show.", "pinned_statuses.none": "No pins to show.",
"poll.choose_multiple": "Choose as many as you'd like.",
"poll.closed": "Жабық", "poll.closed": "Жабық",
"poll.non_anonymous": "Public poll",
"poll.non_anonymous.label": "Other instances may display the options you voted for",
"poll.refresh": "Жаңарту", "poll.refresh": "Жаңарту",
"poll.total_people": "{count, plural, one {# person} other {# people}}",
"poll.total_votes": "{count, plural, one {# дауыс} other {# дауыс}}", "poll.total_votes": "{count, plural, one {# дауыс} other {# дауыс}}",
"poll.vote": "Дауыс беру", "poll.vote": "Дауыс беру",
"poll.voted": "You voted for this answer", "poll.voted": "You voted for this answer",
"poll.votes": "{votes, plural, one {# vote} other {# votes}}", "poll.votes": "{votes, plural, one {# vote} other {# votes}}",
"poll_button.add_poll": "Сауалнама қосу", "poll_button.add_poll": "Сауалнама қосу",
"poll_button.remove_poll": "Сауалнаманы өшіру", "poll_button.remove_poll": "Сауалнаманы өшіру",
"pre_header.close": "Close",
"preferences.fields.auto_play_gif_label": "Auto-play animated GIFs", "preferences.fields.auto_play_gif_label": "Auto-play animated GIFs",
"preferences.fields.auto_play_video_label": "Auto-play videos",
"preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page", "preferences.fields.autoload_more_label": "Automatically load more items when scrolled to the bottom of the page",
"preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page", "preferences.fields.autoload_timelines_label": "Automatically load new posts when scrolled to the top of the page",
"preferences.fields.boost_modal_label": "Show confirmation dialog before reposting", "preferences.fields.boost_modal_label": "Show confirmation dialog before reposting",
"preferences.fields.content_type_label": "Default post format",
"preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post", "preferences.fields.delete_modal_label": "Show confirmation dialog before deleting a post",
"preferences.fields.demetricator_label": "Use Demetricator",
"preferences.fields.display_media.default": "Hide media marked as sensitive", "preferences.fields.display_media.default": "Hide media marked as sensitive",
"preferences.fields.display_media.hide_all": "Always hide media", "preferences.fields.display_media.hide_all": "Always hide media",
"preferences.fields.display_media.show_all": "Always show 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.expand_spoilers_label": "Always expand posts marked with content warnings",
"preferences.fields.language_label": "Language", "preferences.fields.language_label": "Language",
"preferences.fields.media_display_label": "Media display", "preferences.fields.media_display_label": "Media display",
"preferences.fields.missing_description_modal_label": "Show confirmation dialog before sending a post without media descriptions",
"preferences.fields.privacy_label": "Default post privacy",
"preferences.fields.reduce_motion_label": "Reduce motion in animations",
"preferences.fields.system_font_label": "Use system's default font",
"preferences.fields.theme": "Theme",
"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.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",
"preferences.options.privacy_followers_only": "Followers-only",
"preferences.options.privacy_public": "Public",
"preferences.options.privacy_unlisted": "Unlisted",
"privacy.change": "Құпиялылықты реттеу", "privacy.change": "Құпиялылықты реттеу",
"privacy.direct.long": "Аталған адамдарға ғана көрінетін жазба", "privacy.direct.long": "Аталған адамдарға ғана көрінетін жазба",
"privacy.direct.short": "Тікелей", "privacy.direct.short": "Тікелей",
@ -806,15 +852,18 @@
"privacy.unlisted.short": "Тізімсіз", "privacy.unlisted.short": "Тізімсіз",
"profile_dropdown.add_account": "Add an existing account", "profile_dropdown.add_account": "Add an existing account",
"profile_dropdown.logout": "Log out @{acct}", "profile_dropdown.logout": "Log out @{acct}",
"profile_dropdown.switch_account": "Switch accounts",
"profile_dropdown.theme": "Theme",
"profile_fields_panel.title": "Profile fields", "profile_fields_panel.title": "Profile fields",
"public.column_settings.title": "Fediverse timeline settings",
"reactions.all": "All", "reactions.all": "All",
"regeneration_indicator.label": "Жүктеу…", "regeneration_indicator.label": "Жүктеу…",
"regeneration_indicator.sublabel": "Жергілікті желі құрылуда!", "regeneration_indicator.sublabel": "Жергілікті желі құрылуда!",
"register_invite.lead": "Complete the form below to create an account.", "register_invite.lead": "Complete the form below to create an account.",
"register_invite.title": "You've been invited to join {siteTitle}!", "register_invite.title": "You've been invited to join {siteTitle}!",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.agreement": "I agree to the {tos}.", "registration.agreement": "I agree to the {tos}.",
"registration.captcha.hint": "Click the image to get a new captcha", "registration.captcha.hint": "Click the image to get a new captcha",
"registration.captcha.placeholder": "Enter the pictured text",
"registration.closed_message": "{instance} is not accepting new members", "registration.closed_message": "{instance} is not accepting new members",
"registration.closed_title": "Registrations Closed", "registration.closed_title": "Registrations Closed",
"registration.confirmation_modal.close": "Close", "registration.confirmation_modal.close": "Close",
@ -823,15 +872,27 @@
"registration.fields.password_placeholder": "Password", "registration.fields.password_placeholder": "Password",
"registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.", "registration.fields.username_hint": "Only letters, numbers, and underscores are allowed.",
"registration.fields.username_placeholder": "Username", "registration.fields.username_placeholder": "Username",
"registration.header": "Register your account",
"registration.newsletter": "Subscribe to newsletter.", "registration.newsletter": "Subscribe to newsletter.",
"registration.password_mismatch": "Passwords don't match.", "registration.password_mismatch": "Passwords don't match.",
"registration.privacy": "Privacy Policy",
"registration.reason": "Why do you want to join?", "registration.reason": "Why do you want to join?",
"registration.reason_hint": "This will help us review your application", "registration.reason_hint": "This will help us review your application",
"registration.sign_up": "Sign up", "registration.sign_up": "Sign up",
"registration.tos": "Terms of Service", "registration.tos": "Terms of Service",
"registration.privacy": "Privacy Policy",
"registration.acceptance": "By registering, you agree to the {terms} and {privacy}.",
"registration.username_unavailable": "Username is already taken.", "registration.username_unavailable": "Username is already taken.",
"registration.validation.capital_letter": "1 capital letter",
"registration.validation.lowercase_letter": "1 lowercase letter",
"registration.validation.minimum_characters": "8 characters",
"registrations.create_account": "Create an account",
"registrations.error": "Failed to register your account.",
"registrations.get_started": "Let's get started!",
"registrations.password.label": "Password",
"registrations.success": "Welcome to {siteTitle}!",
"registrations.tagline": "Social Media Without Discrimination",
"registrations.unprocessable_entity": "This username has already been taken.",
"registrations.username.hint": "May only contain A-Z, 0-9, and underscores",
"registrations.username.label": "Your username",
"relative_time.days": "{number}күн", "relative_time.days": "{number}күн",
"relative_time.hours": "{number}сағ", "relative_time.hours": "{number}сағ",
"relative_time.just_now": "жаңа", "relative_time.just_now": "жаңа",
@ -861,16 +922,34 @@
"reply_indicator.cancel": "Қайтып алу", "reply_indicator.cancel": "Қайтып алу",
"reply_mentions.account.add": "Add to mentions", "reply_mentions.account.add": "Add to mentions",
"reply_mentions.account.remove": "Remove from mentions", "reply_mentions.account.remove": "Remove from mentions",
"reply_mentions.more": "{count} more",
"reply_mentions.reply": "Replying to {accounts}",
"reply_mentions.reply.hoverable": "<hover>Replying to</hover> {accounts}",
"reply_mentions.reply_empty": "Replying to post", "reply_mentions.reply_empty": "Replying to post",
"report.block": "Block {target}", "report.block": "Block {target}",
"report.block_hint": "Do you also want to block this account?", "report.block_hint": "Do you also want to block this account?",
"report.confirmation.content": "If we find that this account is violating the {link} we will take further action on the matter.",
"report.confirmation.title": "Thanks for submitting your report.",
"report.done": "Done",
"report.forward": "Жіберу {target}", "report.forward": "Жіберу {target}",
"report.forward_hint": "Бұл аккаунт басқа серверден. Аноним шағым жібересіз бе?", "report.forward_hint": "Бұл аккаунт басқа серверден. Аноним шағым жібересіз бе?",
"report.hint": "Шағым сіздің модераторларға жіберіледі. Шағымның себептерін мына жерге жазуыңызға болады:", "report.next": "Next",
"report.otherActions.addAdditional": "Would you like to add additional statuses to this report?",
"report.otherActions.addMore": "Add more",
"report.otherActions.furtherActions": "Further actions:",
"report.otherActions.hideAdditional": "Hide additional statuses",
"report.otherActions.otherStatuses": "Include other statuses?",
"report.placeholder": "Қосымша пікірлер", "report.placeholder": "Қосымша пікірлер",
"report.previous": "Previous",
"report.reason.blankslate": "You have removed all statuses from being selected.",
"report.reason.title": "Reason for reporting",
"report.submit": "Жіберу", "report.submit": "Жіберу",
"report.target": "Шағымдану {target}", "report.target": "Шағымдану {target}",
"reset_password.fail": "Expired token, please try again.",
"reset_password.header": "Set New Password", "reset_password.header": "Set New Password",
"reset_password.password.label": "Password",
"reset_password.password.placeholder": "Placeholder",
"save": "Save",
"schedule.post_time": "Post Date/Time", "schedule.post_time": "Post Date/Time",
"schedule.remove": "Remove schedule", "schedule.remove": "Remove schedule",
"schedule_button.add_schedule": "Schedule post for later", "schedule_button.add_schedule": "Schedule post for later",
@ -879,15 +958,14 @@
"search.action": "Search for “{query}”", "search.action": "Search for “{query}”",
"search.placeholder": "Іздеу", "search.placeholder": "Іздеу",
"search_results.accounts": "Адамдар", "search_results.accounts": "Адамдар",
"search_results.filter_message": "You are searching for posts from @{acct}.",
"search_results.hashtags": "Хэштегтер", "search_results.hashtags": "Хэштегтер",
"search_results.statuses": "Жазбалар", "search_results.statuses": "Жазбалар",
"search_results.top": "Top",
"security.codes.fail": "Failed to fetch backup codes", "security.codes.fail": "Failed to fetch backup codes",
"security.confirm.fail": "Incorrect code or password. Try again.", "security.confirm.fail": "Incorrect code or password. Try again.",
"security.delete_account.fail": "Account deletion failed.", "security.delete_account.fail": "Account deletion failed.",
"security.delete_account.success": "Account successfully deleted.", "security.delete_account.success": "Account successfully deleted.",
"security.disable.fail": "Incorrect password. Try again.", "security.disable.fail": "Incorrect password. Try again.",
"security.disable_mfa": "Disable",
"security.fields.email.label": "Email address", "security.fields.email.label": "Email address",
"security.fields.new_password.label": "New password", "security.fields.new_password.label": "New password",
"security.fields.old_password.label": "Current password", "security.fields.old_password.label": "Current password",
@ -895,33 +973,49 @@
"security.fields.password_confirmation.label": "New password (again)", "security.fields.password_confirmation.label": "New password (again)",
"security.headers.delete": "Delete Account", "security.headers.delete": "Delete Account",
"security.headers.tokens": "Sessions", "security.headers.tokens": "Sessions",
"security.headers.update_email": "Change Email",
"security.headers.update_password": "Change Password",
"security.mfa": "Set up 2-Factor Auth",
"security.mfa_enabled": "You have multi-factor authentication set up with OTP.",
"security.mfa_header": "Authorization Methods",
"security.mfa_setup_hint": "Configure multi-factor authentication with OTP",
"security.qr.fail": "Failed to fetch setup key", "security.qr.fail": "Failed to fetch setup key",
"security.submit": "Save changes", "security.submit": "Save changes",
"security.submit.delete": "Delete Account", "security.submit.delete": "Delete Account",
"security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.", "security.text.delete": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone. Your account will be destroyed from this server, and a deletion request will be sent to other servers. It's not guaranteed that all servers will purge your account.",
"security.text.delete.local": "To delete your account, enter your password then click Delete Account. This is a permanent action that cannot be undone.",
"security.tokens.revoke": "Revoke", "security.tokens.revoke": "Revoke",
"security.update_email.fail": "Update email failed.", "security.update_email.fail": "Update email failed.",
"security.update_email.success": "Email successfully updated.", "security.update_email.success": "Email successfully updated.",
"security.update_password.fail": "Update password failed.", "security.update_password.fail": "Update password failed.",
"security.update_password.success": "Password successfully updated.", "security.update_password.success": "Password successfully updated.",
"settings.account_migration": "Move Account",
"settings.change_email": "Change Email", "settings.change_email": "Change Email",
"settings.change_password": "Change Password", "settings.change_password": "Change Password",
"settings.configure_mfa": "Configure MFA", "settings.configure_mfa": "Configure MFA",
"settings.delete_account": "Delete Account", "settings.delete_account": "Delete Account",
"settings.edit_profile": "Edit Profile", "settings.edit_profile": "Edit Profile",
"settings.other": "Other options",
"settings.preferences": "Preferences", "settings.preferences": "Preferences",
"settings.profile": "Profile", "settings.profile": "Profile",
"settings.save.success": "Your preferences have been saved!", "settings.save.success": "Your preferences have been saved!",
"settings.security": "Security", "settings.security": "Security",
"settings.sessions": "Active sessions",
"settings.settings": "Settings", "settings.settings": "Settings",
"shared.tos": "Terms of Service",
"signup_panel.subtitle": "Sign up now to discuss what's happening.", "signup_panel.subtitle": "Sign up now to discuss what's happening.",
"signup_panel.title": "New to {site_title}?", "signup_panel.title": "New to {site_title}?",
"site_preview.preview": "Preview",
"sms_verification.expired": "Your SMS token has expired.",
"sms_verification.fail": "Failed to send SMS message to your phone number.",
"sms_verification.header": "Enter your phone number",
"sms_verification.invalid": "Please enter a valid phone number.",
"sms_verification.modal.enter_code": "We sent you a 6-digit code via SMS. Enter it below.",
"sms_verification.modal.resend_code": "Resend verification code?",
"sms_verification.modal.verify_code": "Verify code",
"sms_verification.modal.verify_help_text": "Verify your phone number to start using {instance}.",
"sms_verification.modal.verify_number": "Verify phone number",
"sms_verification.modal.verify_sms": "Verify SMS",
"sms_verification.modal.verify_title": "Verify your phone number",
"sms_verification.phone.label": "Phone number",
"sms_verification.sent.actions.resend": "Resend verification code?",
"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.",
"snackbar.view": "View", "snackbar.view": "View",
"soapbox_config.authenticated_profile_hint": "Users must be logged-in to view replies and media on user profiles.", "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.authenticated_profile_label": "Profiles require authentication",
@ -930,24 +1024,28 @@
"soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)", "soapbox_config.crypto_address.meta_fields.note_placeholder": "Note (optional)",
"soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker", "soapbox_config.crypto_address.meta_fields.ticker_placeholder": "Ticker",
"soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget", "soapbox_config.crypto_donate_panel_limit.meta_fields.limit_placeholder": "Number of items to display in the crypto homepage widget",
"soapbox_config.cta_label": "Display call to action panels if not authenticated",
"soapbox_config.custom_css.meta_fields.url_placeholder": "URL", "soapbox_config.custom_css.meta_fields.url_placeholder": "URL",
"soapbox_config.display_fqn_label": "Display domain (eg @user@domain) for local accounts.", "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.accent_color_label": "Accent color",
"soapbox_config.fields.brand_color_label": "Brand color", "soapbox_config.fields.brand_color_label": "Brand color",
"soapbox_config.fields.crypto_address.add": "Add new crypto address",
"soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses", "soapbox_config.fields.crypto_addresses_label": "Cryptocurrency addresses",
"soapbox_config.fields.home_footer.add": "Add new Home Footer Item",
"soapbox_config.fields.home_footer_fields_label": "Home footer items", "soapbox_config.fields.home_footer_fields_label": "Home footer items",
"soapbox_config.fields.logo_label": "Logo", "soapbox_config.fields.logo_label": "Logo",
"soapbox_config.fields.promo_panel.add": "Add new Promo panel item",
"soapbox_config.fields.promo_panel_fields_label": "Promo panel items", "soapbox_config.fields.promo_panel_fields_label": "Promo panel items",
"soapbox_config.fields.theme_label": "Default theme", "soapbox_config.fields.theme_label": "Default theme",
"soapbox_config.greentext_label": "Enable greentext support", "soapbox_config.greentext_label": "Enable greentext support",
"soapbox_config.headings.advanced": "Advanced",
"soapbox_config.headings.cryptocurrency": "Cryptocurrency",
"soapbox_config.headings.navigation": "Navigation",
"soapbox_config.headings.options": "Options",
"soapbox_config.headings.theme": "Theme",
"soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.", "soapbox_config.hints.crypto_addresses": "Add cryptocurrency addresses so users of your site can donate to you. Order matters, and you must use lowercase ticker values.",
"soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages", "soapbox_config.hints.home_footer_fields": "You can have custom defined links displayed on the footer of your static pages",
"soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio", "soapbox_config.hints.logo": "SVG. At most 2 MB. Will be displayed to 50px height, maintaining aspect ratio",
"soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.", "soapbox_config.hints.promo_panel_fields": "You can have custom defined links displayed on the right panel of the timelines page.",
"soapbox_config.hints.promo_panel_icons": "{ link }",
"soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List", "soapbox_config.hints.promo_panel_icons.link": "Soapbox Icons List",
"soapbox_config.home_footer.meta_fields.label_placeholder": "Label", "soapbox_config.home_footer.meta_fields.label_placeholder": "Label",
"soapbox_config.home_footer.meta_fields.url_placeholder": "URL", "soapbox_config.home_footer.meta_fields.url_placeholder": "URL",
@ -963,10 +1061,11 @@
"soapbox_config.single_user_mode_profile_hint": "@handle", "soapbox_config.single_user_mode_profile_hint": "@handle",
"soapbox_config.single_user_mode_profile_label": "Main user handle", "soapbox_config.single_user_mode_profile_label": "Main user handle",
"soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.", "soapbox_config.verified_can_edit_name_label": "Allow verified users to edit their own display name.",
"status.actions.more": "More", "sponsored.info.message": "{siteTitle} displays ads to help fund our service.",
"sponsored.info.title": "Why am I seeing this ad?",
"sponsored.subtitle": "Sponsored post",
"status.admin_account": "@{name} үшін модерация интерфейсін аш", "status.admin_account": "@{name} үшін модерация интерфейсін аш",
"status.admin_status": "Бұл жазбаны модерация интерфейсінде аш", "status.admin_status": "Бұл жазбаны модерация интерфейсінде аш",
"status.block": "Бұғаттау @{name}",
"status.bookmark": "Bookmark", "status.bookmark": "Bookmark",
"status.bookmarked": "Bookmark added.", "status.bookmarked": "Bookmark added.",
"status.cancel_reblog_private": "Бөліспеу", "status.cancel_reblog_private": "Бөліспеу",
@ -976,14 +1075,16 @@
"status.delete": "Өшіру", "status.delete": "Өшіру",
"status.detailed_status": "Толық пікірталас көрінісі", "status.detailed_status": "Толық пікірталас көрінісі",
"status.direct": "Хат жіберу @{name}", "status.direct": "Хат жіберу @{name}",
"status.edit": "Edit",
"status.embed": "Embеd", "status.embed": "Embеd",
"status.external": "View post on {domain}",
"status.favourite": "Таңдаулы", "status.favourite": "Таңдаулы",
"status.filtered": "Фильтрленген", "status.filtered": "Фильтрленген",
"status.interactions.favourites": "{count, plural, one {Like} other {Likes}}",
"status.interactions.reblogs": "{count, plural, one {Repost} other {Reposts}}",
"status.load_more": "Тағы әкел", "status.load_more": "Тағы әкел",
"status.media_hidden": "Жабық медиа",
"status.mention": "Аталым @{name}", "status.mention": "Аталым @{name}",
"status.more": "Тағы", "status.more": "Тағы",
"status.mute": "Үнсіз @{name}",
"status.mute_conversation": "Пікірталасты үнсіз қылу", "status.mute_conversation": "Пікірталасты үнсіз қылу",
"status.open": "Жазбаны ашу", "status.open": "Жазбаны ашу",
"status.pin": "Профильде жабыстыру", "status.pin": "Профильде жабыстыру",
@ -996,7 +1097,6 @@
"status.reactions.like": "Like", "status.reactions.like": "Like",
"status.reactions.open_mouth": "Wow", "status.reactions.open_mouth": "Wow",
"status.reactions.weary": "Weary", "status.reactions.weary": "Weary",
"status.reactions_expand": "Select emoji",
"status.read_more": "Әрі қарай", "status.read_more": "Әрі қарай",
"status.reblog": "Бөлісу", "status.reblog": "Бөлісу",
"status.reblog_private": "Негізгі аудиторияға бөлісу", "status.reblog_private": "Негізгі аудиторияға бөлісу",
@ -1009,13 +1109,15 @@
"status.replyAll": "Тақырыпқа жауап", "status.replyAll": "Тақырыпқа жауап",
"status.report": "Шағым @{name}", "status.report": "Шағым @{name}",
"status.sensitive_warning": "Нәзік контент", "status.sensitive_warning": "Нәзік контент",
"status.sensitive_warning.subtitle": "This content may not be suitable for all audiences.",
"status.share": "Бөлісу", "status.share": "Бөлісу",
"status.show_less": "Аздап көрсет",
"status.show_less_all": "Бәрін аздап көрсет", "status.show_less_all": "Бәрін аздап көрсет",
"status.show_more": "Толығырақ",
"status.show_more_all": "Бәрін толығымен", "status.show_more_all": "Бәрін толығымен",
"status.show_original": "Show original",
"status.title": "Post", "status.title": "Post",
"status.title_direct": "Direct message", "status.title_direct": "Direct message",
"status.translate": "Translate",
"status.translated_from_with": "Translated from {lang} using {provider}",
"status.unbookmark": "Remove bookmark", "status.unbookmark": "Remove bookmark",
"status.unbookmarked": "Bookmark removed.", "status.unbookmarked": "Bookmark removed.",
"status.unmute_conversation": "Пікірталасты үнсіз қылмау", "status.unmute_conversation": "Пікірталасты үнсіз қылмау",
@ -1023,20 +1125,37 @@
"status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}", "status_list.queue_label": "Click to see {count} new {count, plural, one {post} other {posts}}",
"statuses.quote_tombstone": "Post is unavailable.", "statuses.quote_tombstone": "Post is unavailable.",
"statuses.tombstone": "One or more posts are unavailable.", "statuses.tombstone": "One or more posts are unavailable.",
"streamfield.add": "Add",
"streamfield.remove": "Remove",
"suggestions.dismiss": "Өткізіп жіберу", "suggestions.dismiss": "Өткізіп жіберу",
"sw.restart": "Restart",
"sw.state.active": "Active",
"sw.state.loading": "Loading…",
"sw.state.unavailable": "Unavailable",
"sw.state.unknown": "Unknown",
"sw.state.waiting": "Waiting",
"sw.status": "Status",
"sw.update": "Update",
"sw.update_text": "An update is available.",
"sw.url": "Script URL",
"tabs_bar.all": "All", "tabs_bar.all": "All",
"tabs_bar.chats": "Chats", "tabs_bar.chats": "Chats",
"tabs_bar.dashboard": "Dashboard", "tabs_bar.dashboard": "Dashboard",
"tabs_bar.fediverse": "Fediverse", "tabs_bar.fediverse": "Fediverse",
"tabs_bar.home": "Басты бет", "tabs_bar.home": "Басты бет",
"tabs_bar.local": "Local",
"tabs_bar.more": "More", "tabs_bar.more": "More",
"tabs_bar.notifications": "Ескертпелер", "tabs_bar.notifications": "Ескертпелер",
"tabs_bar.post": "Post",
"tabs_bar.profile": "Profile", "tabs_bar.profile": "Profile",
"tabs_bar.search": "Іздеу", "tabs_bar.search": "Іздеу",
"tabs_bar.settings": "Settings", "tabs_bar.settings": "Settings",
"tabs_bar.theme_toggle_dark": "Switch to dark theme", "theme_toggle.dark": "Dark",
"tabs_bar.theme_toggle_light": "Switch to light theme", "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",
"time_remaining.days": "{number, plural, one {# күн} other {# күн}}", "time_remaining.days": "{number, plural, one {# күн} other {# күн}}",
"time_remaining.hours": "{number, plural, one {# сағат} other {# сағат}}", "time_remaining.hours": "{number, plural, one {# сағат} other {# сағат}}",
"time_remaining.minutes": "{number, plural, one {# минут} other {# минут}}", "time_remaining.minutes": "{number, plural, one {# минут} other {# минут}}",
@ -1044,6 +1163,7 @@
"time_remaining.seconds": "{number, plural, one {# секунд} other {# секунд}}", "time_remaining.seconds": "{number, plural, one {# секунд} other {# секунд}}",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} жазған екен", "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} жазған екен",
"trends.title": "Trends", "trends.title": "Trends",
"trendsPanel.viewAll": "View all",
"ui.beforeunload": "Soapbox желісінен шықсаңыз, нобайыңыз сақталмайды.", "ui.beforeunload": "Soapbox желісінен шықсаңыз, нобайыңыз сақталмайды.",
"unauthorized_modal.text": "You need to be logged in to do that.", "unauthorized_modal.text": "You need to be logged in to do that.",
"unauthorized_modal.title": "Sign up for {site_title}", "unauthorized_modal.title": "Sign up for {site_title}",
@ -1052,6 +1172,7 @@
"upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})", "upload_error.image_size_limit": "Image exceeds the current file size limit ({limit})",
"upload_error.limit": "Файл жүктеу лимитінен асып кеттіңіз.", "upload_error.limit": "Файл жүктеу лимитінен асып кеттіңіз.",
"upload_error.poll": "Сауалнамамен бірге файл жүктеуге болмайды.", "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_size_limit": "Video exceeds the current file size limit ({limit})",
"upload_form.description": "Көру қабілеті нашар адамдар үшін сипаттаңыз", "upload_form.description": "Көру қабілеті нашар адамдар үшін сипаттаңыз",
"upload_form.preview": "Preview", "upload_form.preview": "Preview",
@ -1067,5 +1188,7 @@
"video.pause": "Пауза", "video.pause": "Пауза",
"video.play": "Қосу", "video.play": "Қосу",
"video.unmute": "Дауысын аш", "video.unmute": "Дауысын аш",
"waitlist.actions.verify_number": "Verify phone number",
"waitlist.body": "Welcome back to {title}! You were previously placed on our waitlist. Please verify your phone number to receive immediate access to your account!",
"who_to_follow.title": "Who To Follow" "who_to_follow.title": "Who To Follow"
} }

Some files were not shown because too many files have changed in this diff Show More