Added even more i18n translation keys (#2453)

* more translation keys

* added i18n keys for future ObjectKindEnum translation

* more keys

* added more keys

* synced all new translation keys with all languages, translated keys on Belarusian and Russian

* added translation for objectkinds in overview

* added translation function for objectkinds

* added more keys to german locale

* renamed 'asc' and 'desc' keys

* rolled back changes

* added missed key

* there are much more keys, than you can imagine

* fixed misspelling

* removed console.log

* removed function "pluralize", added required plural words keys for each language

* fixed condition, which could've lead to undefined value

* hide filter description for boolean filters
This commit is contained in:
Artsiom Voitas 2024-05-04 19:16:49 +03:00 committed by GitHub
parent 70039ac6dc
commit 2d78edef4d
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
50 changed files with 2614 additions and 1276 deletions

View file

@ -9,7 +9,7 @@ import { useDebugState } from '@sd/client';
import { Button, Dialogs } from '@sd/ui';
import { showAlertDialog } from './components';
import { useOperatingSystem, useTheme } from './hooks';
import { useLocale, useOperatingSystem, useTheme } from './hooks';
import { usePlatform } from './util/Platform';
const sentryBrowserLazy = import('@sentry/browser');
@ -75,6 +75,8 @@ export function ErrorPage({
localStorage.getItem(RENDERING_ERROR_LOCAL_STORAGE_KEY)
);
const { t } = useLocale();
// If the user is on a page and the user presses "Reset" on the error boundary, it may crash in rendering causing the user to get stuck on the error page.
// If it crashes again, we redirect them instead of infinitely crashing.
useEffect(() => {
@ -91,9 +93,9 @@ export function ErrorPage({
const resetHandler = () => {
showAlertDialog({
title: 'Reset',
value: 'Are you sure you want to reset Spacedrive? Your database will be deleted.',
label: 'Confirm',
title: t('reset'),
value: t('reset_confirmation'),
label: t('confirm'),
cancelBtn: true,
onSubmit: () => {
localStorage.clear();
@ -116,8 +118,8 @@ export function ErrorPage({
}
>
<Dialogs />
<p className="m-3 text-sm font-bold text-ink-faint">APP CRASHED</p>
<h1 className="text-2xl font-bold text-ink">We're past the event horizon...</h1>
<p className="m-3 text-sm font-bold text-ink-faint">{t('app_crashed')}</p>
<h1 className="text-2xl font-bold text-ink">{t('app_crashed_description')}</h1>
<pre className="m-2 max-w-[650px] whitespace-normal text-center text-ink">
{message}
</pre>
@ -125,7 +127,7 @@ export function ErrorPage({
<div className="flex flex-row space-x-2 text-ink">
{reloadBtn && (
<Button variant="accent" className="mt-2" onClick={reloadBtn}>
Reload
{t('reload')}
</Button>
)}
<Button
@ -139,11 +141,11 @@ export function ErrorPage({
)
}
>
Send report
{t('send_report')}
</Button>
{platform.openLogsDir && (
<Button variant="gray" className="mt-2" onClick={platform.openLogsDir}>
Open Logs
{t('open_logs')}
</Button>
)}
@ -152,19 +154,15 @@ export function ErrorPage({
message.startsWith('failed to initialize library manager')) && (
<div className="flex flex-col items-center pt-12">
<p className="text-md max-w-[650px] text-center">
We detected you may have created your library with an older version of
Spacedrive. Please reset it to continue using the app!
</p>
<p className="mt-3 font-bold">
{' '}
YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!
{t('reset_to_continue')}
</p>
<p className="mt-3 font-bold"> {t('reset_warning')}</p>
<Button
variant="colored"
onClick={resetHandler}
className="mt-4 max-w-xs border-transparent bg-red-500"
>
Reset & Quit App
{t('reset_and_quit')}
</Button>
</div>
)}

View file

@ -250,7 +250,7 @@ export const ParentFolderActions = new ConditionalItem({
} catch (error) {
toast.error({
title: t('failed_to_rescan_location'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}

View file

@ -35,7 +35,7 @@ export const RemoveFromRecents = new ConditionalItem({
} catch (error) {
toast.error({
title: t('failed_to_remove_file_from_recents'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}

View file

@ -79,6 +79,7 @@ const Items = ({
const ids = selectedFilePaths.map((obj) => obj.id);
const paths = selectedEphemeralPaths.map((obj) => obj.path);
const { t } = useLocale();
const items = useQuery<unknown>(
['openWith', ids, paths],
@ -109,7 +110,7 @@ const Items = ({
);
}
} catch (e) {
toast.error(`Failed to open file, with: ${data.url}`);
toast.error(t('failed_to_open_file_with', { data: data.url }));
}
}}
>
@ -117,7 +118,7 @@ const Items = ({
</Menu.Item>
))
) : (
<p className="w-full text-center text-sm text-gray-400"> No apps available </p>
<p className="w-full text-center text-sm text-gray-400">{t('no_apps_available')}</p>
)}
</>
);

View file

@ -27,7 +27,7 @@ export const CopyAsPathBase = (
} catch (error) {
toast.error({
title: t('failed_to_copy_file_path'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}

View file

@ -50,7 +50,7 @@ const notices = {
},
media: {
key: 'mediaView',
title: 'Media View',
title: i18n.t('media_view'),
description: i18n.t('media_view_notice_description'),
icon: <MediaViewIcon />
}

View file

@ -1,5 +1,6 @@
import { useLibraryMutation, useZodForm } from '@sd/client';
import { CheckBox, Dialog, Tooltip, useDialog, UseDialogProps } from '@sd/ui';
import i18n from '~/app/I18n';
import { Icon } from '~/components';
import { useLocale } from '~/hooks';
@ -18,11 +19,11 @@ interface Props extends UseDialogProps {
function getWording(dirCount: number, fileCount: number) {
let type = 'file';
let prefix = 'a';
let prefix = i18n.t('prefix_a');
if (dirCount == 1 && fileCount == 0) {
type = 'directory';
prefix = 'a';
type = i18n.t('directory');
prefix = i18n.t('prefix_a');
}
if (dirCount > 1 && fileCount == 0) {
@ -40,7 +41,9 @@ function getWording(dirCount: number, fileCount: number) {
prefix = (fileCount + dirCount).toString();
}
return { type, prefix };
const translatedType = i18n.t(`${type}`);
return { type, prefix, translatedType };
}
export default (props: Props) => {
@ -53,11 +56,11 @@ export default (props: Props) => {
const form = useZodForm();
const { dirCount = 0, fileCount = 0, indexedArgs, ephemeralArgs } = props;
const { type, prefix } = getWording(dirCount, fileCount);
const { type, prefix, translatedType } = getWording(dirCount, fileCount);
const icon = type === 'file' || type === 'files' ? 'Document' : 'Folder';
const description = t('delete_warning', { type });
const description = t('delete_warning', { type: translatedType });
return (
<Dialog
@ -102,11 +105,12 @@ export default (props: Props) => {
})}
icon={<Icon theme="light" name={icon} size={28} />}
dialog={useDialog(props)}
title={t('delete_dialog_title', { prefix, type })}
title={t('delete_dialog_title', { prefix, type: translatedType })}
description={description}
loading={deleteFile.isLoading}
ctaLabel={t('delete_forever')}
ctaSecondLabel={t('move_to_trash')}
closeLabel={t('close')}
ctaDanger
className="w-[200px]"
>

View file

@ -2,6 +2,7 @@ import { useEffect, useRef, useState } from 'react';
import { useDebouncedCallback } from 'use-debounce';
import { Object as SDObject, useLibraryMutation } from '@sd/client';
import { Divider, TextArea } from '@sd/ui';
import { useLocale } from '~/hooks';
import { MetaContainer, MetaTitle } from '../Inspector';
@ -27,12 +28,13 @@ export default function Note(props: Props) {
useEffect(() => () => flush.current?.(), []);
const [cachedNote, setCachedNote] = useState(props.data.note);
const { t } = useLocale();
return (
<>
<Divider />
<MetaContainer>
<MetaTitle>Note</MetaTitle>
<MetaTitle>{t('note')}</MetaTitle>
<TextArea
className="mb-1 mt-2 !py-2 text-xs leading-snug"
value={cachedNote ?? ''}

View file

@ -54,7 +54,7 @@ import { FileThumb } from '../FilePath/Thumb';
import { useQuickPreviewStore } from '../QuickPreview/store';
import { explorerStore } from '../store';
import { useExplorerItemData } from '../useExplorerItemData';
import { uniqueId } from '../util';
import { translateKindName, uniqueId } from '../util';
import { RenamableItemText } from '../View/RenamableItemText';
import FavoriteButton from './FavoriteButton';
import MediaData from './MediaData';
@ -368,7 +368,7 @@ export const SingleItemMetadata = ({ item }: { item: ExplorerItem }) => {
{mediaData.data && <MediaData data={mediaData.data} />}
<MetaContainer className="flex !flex-row flex-wrap gap-1 overflow-hidden">
<InfoPill>{isDir ? 'Folder' : kind}</InfoPill>
<InfoPill>{isDir ? t('folder') : translateKindName(kind)}</InfoPill>
{extension && <InfoPill>{extension}</InfoPill>}
@ -561,7 +561,7 @@ const MultiItemMetadata = ({ items }: { items: ExplorerItem[] }) => {
<MetaContainer className="flex !flex-row flex-wrap gap-1 overflow-hidden">
{[...metadata.kinds].map(([kind, items]) => (
<InfoPill key={kind}>{`${kind} (${items.length})`}</InfoPill>
<InfoPill key={kind}>{`${translateKindName(kind)} (${items.length})`}</InfoPill>
))}
{/* {labels.data?.map((label) => {

View file

@ -69,7 +69,7 @@ export default () => {
>
{SortOrderSchema.options.map((o) => (
<SelectOption key={o.value} value={o.value}>
{o.value}
{o.description}
</SelectOption>
))}
</Select>

View file

@ -38,7 +38,7 @@ export default (props: PropsWithChildren) => {
const rescanLocation = useLibraryMutation('locations.subPathRescan');
const createFolder = useLibraryMutation(['files.createFolder'], {
onError: (e) => {
toast.error({ title: t('create_folder_error'), body: `Error: ${e}.` });
toast.error({ title: t('create_folder_error'), body: t('error_message', { error: e }) });
console.error(e);
},
onSuccess: (folder) => {
@ -52,7 +52,7 @@ export default (props: PropsWithChildren) => {
});
const createFile = useLibraryMutation(['files.createFile'], {
onError: (e) => {
toast.error({ title: t('create_file_error'), body: `${e}.` });
toast.error({ title: t('create_file_error'), body: t('error_message', { error: e }) });
console.error(e);
},
onSuccess: (file) => {
@ -66,7 +66,7 @@ export default (props: PropsWithChildren) => {
});
const createEphemeralFolder = useLibraryMutation(['ephemeralFiles.createFolder'], {
onError: (e) => {
toast.error({ title: t('create_folder_error'), body: `Error: ${e}.` });
toast.error({ title: t('create_folder_error'), body: t('error_message', { error: e }) });
console.error(e);
},
onSuccess: (folder) => {
@ -80,7 +80,7 @@ export default (props: PropsWithChildren) => {
});
const createEphemeralFile = useLibraryMutation(['ephemeralFiles.createFile'], {
onError: (e) => {
toast.error({ title: t('create_file_error'), body: `${e}.` });
toast.error({ title: t('create_file_error'), body: t('error_message', { error: e }) });
console.error(e);
},
onSuccess: (file) => {
@ -220,7 +220,7 @@ export default (props: PropsWithChildren) => {
} catch (error) {
toast.error({
title: t('failed_to_reindex_location'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}
@ -239,7 +239,7 @@ export default (props: PropsWithChildren) => {
} catch (error) {
toast.error({
title: t('failed_to_generate_thumbnails'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}
@ -258,7 +258,7 @@ export default (props: PropsWithChildren) => {
} catch (error) {
toast.error({
title: t('failed_to_generate_labels'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}
@ -276,7 +276,7 @@ export default (props: PropsWithChildren) => {
} catch (error) {
toast.error({
title: t('failed_to_generate_checksum'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}}

View file

@ -233,8 +233,8 @@ export const QuickPreview = () => {
}
} catch (error) {
toast.error({
title: 'Failed to open file',
body: `Couldn't open file, due to an error: ${error}`
title: t('failed_to_open_file_title'),
body: t('failed_to_open_file_body', { error: error })
});
}
});
@ -408,8 +408,11 @@ export const QuickPreview = () => {
setNewName(newName);
} catch (e) {
toast.error({
title: `Could not rename ${itemData.fullName} to ${newName}`,
body: `Error: ${e}.`
title: t('failed_to_rename_file', {
oldName: itemData.fullName,
newName
}),
body: t('error_message', { error: e })
});
}
}}

View file

@ -131,7 +131,7 @@ export const useExplorerTopBarOptions = () => {
// ),
// // TODO: Assign tag mode is not yet implemented!
// // onClick: () => (explorerStore.tagAssignMode = !explorerStore.tagAssignMode),
// onClick: () => toast.info('Coming soon!'),
// onClick: () => toast.info(t('coming_soon)),
// topBarActive: tagAssignMode,
// individual: true,
// showAtResolution: 'xl:flex'

View file

@ -24,7 +24,7 @@ import { useExplorerContext } from '../../Context';
import { FileThumb } from '../../FilePath/Thumb';
import { InfoPill } from '../../Inspector';
import { CutCopyState, explorerStore, isCut } from '../../store';
import { uniqueId } from '../../util';
import { translateKindName, uniqueId } from '../../util';
import { RenamableItemText } from '../RenamableItemText';
export const LIST_VIEW_ICON_SIZES = {
@ -84,7 +84,7 @@ const KindCell = ({ kind }: { kind: string }) => {
className="bg-app-button/50"
style={{ fontSize: LIST_VIEW_TEXT_SIZES[explorerSettings.listViewTextSize] }}
>
{kind}
{translateKindName(kind)}
</InfoPill>
);
};

View file

@ -10,7 +10,7 @@ import {
type ExplorerItem
} from '@sd/client';
import { toast } from '@sd/ui';
import { useIsDark } from '~/hooks';
import { useIsDark, useLocale } from '~/hooks';
import { useExplorerContext } from '../Context';
import { RenameTextBox, RenameTextBoxProps } from '../FilePath/RenameTextBox';
@ -76,6 +76,8 @@ export const RenamableItemText = ({
ref.current.innerText = itemData.fullName;
}, [itemData.fullName]);
const { t } = useLocale();
const handleRename = useCallback(
async (newName: string) => {
try {
@ -143,12 +145,15 @@ export const RenamableItemText = ({
} catch (e) {
reset();
toast.error({
title: `Could not rename ${itemData.fullName} to ${newName}`,
body: `Error: ${e}.`
title: t('failed_to_rename_file', {
oldName: itemData.fullName,
newName
}),
body: t('error_message', { error: e })
});
}
},
[itemData.fullName, item, renameEphemeralFile, renameFile, renameLocation, reset]
[itemData.fullName, item, renameEphemeralFile, renameFile, renameLocation, reset, t]
);
const disabled =

View file

@ -15,6 +15,7 @@ import {
type NonIndexedPathItem
} from '@sd/client';
import { ContextMenu, toast } from '@sd/ui';
import { useLocale } from '~/hooks';
import { isNonEmpty } from '~/util';
import { usePlatform } from '~/util/Platform';
@ -33,6 +34,8 @@ export const useViewItemDoubleClick = () => {
const updateAccessTime = useLibraryMutation('files.updateAccessTime');
const { t } = useLocale();
const doubleClick = useCallback(
async (item?: ExplorerItem) => {
const selectedItems = [...explorer.selectedItems];
@ -102,7 +105,10 @@ export const useViewItemDoubleClick = () => {
items.paths.map(({ id }) => id)
);
} catch (error) {
toast.error({ title: 'Failed to open file', body: `Error: ${error}.` });
toast.error({
title: t('failed_to_open_file_title'),
body: t('error_message', { error })
});
}
} else if (item && explorer.settingsStore.openOnDoubleClick === 'quickPreview') {
if (item.type !== 'Location' && !(isPath(item) && item.item.is_dir)) {
@ -157,7 +163,10 @@ export const useViewItemDoubleClick = () => {
try {
await openEphemeralFiles(items.non_indexed.map(({ path }) => path));
} catch (error) {
toast.error({ title: 'Failed to open file', body: `Error: ${error}.` });
toast.error({
title: t('failed_to_open_file_title'),
body: t('error_message', { error })
});
}
} else if (item && explorer.settingsStore.openOnDoubleClick === 'quickPreview') {
if (item.type !== 'Location' && !(isPath(item) && item.item.is_dir)) {

View file

@ -151,7 +151,7 @@ export const useExplorerCopyPaste = () => {
} catch (error) {
toast.error({
title: t(type === 'Copy' ? 'failed_to_copy_file' : 'failed_to_cut_file'),
body: `Error: ${error}.`
body: t('error_message', { error })
});
}
}

View file

@ -1,5 +1,6 @@
import dayjs from 'dayjs';
import { type ExplorerItem } from '@sd/client';
import i18n from '~/app/I18n';
import { ExplorerParamsSchema } from '~/app/route-schemas';
import { useZodSearchParams } from '~/hooks';
@ -139,3 +140,48 @@ export function generateLocaleDateFormats(language: string) {
return DATE_FORMATS;
}
}
const kinds: Record<string, string> = {
Unknown: `${i18n.t('unknown')}`,
Document: `${i18n.t('document')}`,
Folder: `${i18n.t('folder')}`,
Text: `${i18n.t('text')}`,
Package: `${i18n.t('package')}`,
Image: `${i18n.t('image')}`,
Audio: `${i18n.t('audio')}`,
Video: `${i18n.t('video')}`,
Archive: `${i18n.t('archive')}`,
Executable: `${i18n.t('executable')}`,
Alias: `${i18n.t('alias')}`,
Encrypted: `${i18n.t('encrypted')}`,
Key: `${i18n.t('key')}`,
Link: `${i18n.t('link')}`,
WebPageArchive: `${i18n.t('web_page_archive')}`,
Widget: `${i18n.t('widget')}`,
Album: `${i18n.t('album')}`,
Collection: `${i18n.t('collection')}`,
Font: `${i18n.t('font')}`,
Mesh: `${i18n.t('mesh')}`,
Code: `${i18n.t('code')}`,
Database: `${i18n.t('database')}`,
Book: `${i18n.t('book')}`,
Config: `${i18n.t('widget')}`,
Dotfile: `${i18n.t('dotfile')}`,
Screenshot: `${i18n.t('screenshot')}`,
Label: `${i18n.t('label')}`
};
export function translateKindName(kindName: string): string {
if (kinds[kindName]) {
try {
const kind = kinds[kindName] as string;
return kind;
} catch (error) {
console.error(`Failed to load ${kindName} translation:`, error);
return kindName;
}
} else {
console.warn(`Translation for ${kindName} not available, falling back to passed value.`);
return kindName;
}
}

View file

@ -110,7 +110,7 @@ export function FeedbackPopover() {
</div>
{emojiError && (
<p className="pt-1 text-xs text-red-500">
Please select an emoji
{t('please_select_emoji')}
</p>
)}
</div>

View file

@ -28,7 +28,11 @@ export default () => {
)}
>
<span className="truncate">
{libraries.isLoading ? 'Loading...' : library ? library.config.name : ' '}
{libraries.isLoading
? `${t('loading')}...`
: library
? library.config.name
: ' '}
</span>
</Dropdown.Button>
}

View file

@ -1,4 +1,5 @@
import { Children, PropsWithChildren, useState } from 'react';
import { useLocale } from '~/hooks';
export const SEE_MORE_COUNT = 5;
@ -11,6 +12,7 @@ export function SeeMore({ children, limit = SEE_MORE_COUNT }: Props) {
const childrenArray = Children.toArray(children);
const { t } = useLocale();
return (
<>
{childrenArray.map((child, index) => (seeMore || index < limit ? child : null))}
@ -19,7 +21,7 @@ export function SeeMore({ children, limit = SEE_MORE_COUNT }: Props) {
onClick={() => setSeeMore(!seeMore)}
className="mb-1 ml-2 mt-0.5 cursor-pointer text-center text-tiny font-semibold text-ink-faint/50 transition hover:text-accent"
>
See {seeMore ? 'less' : 'more'}
{seeMore ? `${t('see_less')}` : `${t('see_more')}`}
</div>
)}
</>

View file

@ -43,7 +43,7 @@ export const ContextMenu = ({
));
}
} catch (error) {
toast.error(`${error}`);
toast.error(t('error_message', { error }));
}
}}
icon={Plus}

View file

@ -35,7 +35,7 @@ export default function ToolsSection() {
className={`max-w relative flex w-full grow flex-row items-center gap-0.5 truncate rounded border border-transparent ${os === 'macOS' ? 'bg-opacity-90' : ''} px-2 py-1 text-sm font-medium text-sidebar-inkDull outline-none ring-0 ring-inset ring-transparent ring-offset-0 focus:ring-1 focus:ring-accent focus:ring-offset-0`}
onClick={() => {
platform.openTrashInOsExplorer?.();
toast.info('Opening Trash');
toast.info(t('opening_trash'));
}}
>
<Trash size={18} className="mr-1" />

View file

@ -159,6 +159,8 @@ function Node({
onDrop: (files) => onDropped(id, files)
});
const {t} = useLocale()
return (
<div
ref={ref}
@ -170,7 +172,7 @@ function Node({
)}
onClick={() => {
if (!platform.openFilePickerDialog) {
toast.warning('File picker not supported on this platform');
toast.warning(t('file_picker_not_supported'));
return;
}

View file

@ -1,6 +1,7 @@
import { useEffect, useRef } from 'react';
import { P2PEvent, useBridgeMutation, useSpacedropProgress } from '@sd/client';
import { Input, ProgressBar, toast, ToastId } from '@sd/ui';
import { useLocale } from '~/hooks';
import { usePlatform } from '~/util/Platform';
const placeholder = '/Users/oscar/Desktop/demo.txt';
@ -9,17 +10,16 @@ export function useIncomingSpacedropToast() {
const platform = usePlatform();
const acceptSpacedrop = useBridgeMutation('p2p.acceptSpacedrop');
const filePathInput = useRef<HTMLInputElement>(null);
const { t } = useLocale();
return (data: Extract<P2PEvent, { type: 'SpacedropRequest' }>) =>
toast.info(
{
title: 'Incoming Spacedrop',
title: t('incoming_spacedrop'),
// TODO: Make this pretty
body: (
<>
<p>
File '{data.files[0]}' from '{data.peer_name}'
</p>
<p>{t('file_from', { file: data.files[0], name: data.peer_name })}</p>
{/* TODO: This will be removed in the future for now it's just a hack */}
{platform.saveFilePickerDialog ? null : (
<Input
@ -40,14 +40,14 @@ export function useIncomingSpacedropToast() {
event !== 'on-action' && acceptSpacedrop.mutate([data.id, null]);
},
action: {
label: 'Accept',
label: t('accept'),
async onClick() {
let destinationFilePath = filePathInput.current?.value ?? placeholder;
if (data.files.length != 1) {
if (platform.openDirectoryPickerDialog) {
const result = await platform.openDirectoryPickerDialog({
title: 'Save Spacedrop',
title: t('save_spacedrop'),
multiple: false
});
if (!result) {
@ -58,7 +58,7 @@ export function useIncomingSpacedropToast() {
} else {
if (platform.saveFilePickerDialog) {
const result = await platform.saveFilePickerDialog({
title: 'Save Spacedrop',
title: t('save_spacedrop'),
defaultPath: data.files?.[0]
});
if (!result) {
@ -72,7 +72,7 @@ export function useIncomingSpacedropToast() {
await acceptSpacedrop.mutateAsync([data.id, destinationFilePath]);
}
},
cancel: 'Reject'
cancel: t('reject')
}
);
}
@ -95,6 +95,7 @@ export function SpacedropProgress({ toastId, dropId }: { toastId: ToastId; dropI
export function useSpacedropProgressToast() {
const cancelSpacedrop = useBridgeMutation(['p2p.cancelSpacedrop']);
const { t } = useLocale();
return (data: Extract<P2PEvent, { type: 'SpacedropProgress' }>) => {
toast.info(
@ -106,7 +107,7 @@ export function useSpacedropProgressToast() {
id: data.id,
duration: Infinity,
cancel: {
label: 'Cancel',
label: t('cancel'),
onClick() {
cancelSpacedrop.mutate(data.id);
}

View file

@ -4,6 +4,9 @@ import { useRef } from 'react';
import { Link, useLocation } from 'react-router-dom';
import { formatNumber, SearchFilterArgs, useLibraryQuery } from '@sd/client';
import { Icon } from '~/components';
import { useLocale } from '~/hooks';
import { translateKindName } from '../Explorer/util';
export default () => {
const ref = useRef<HTMLDivElement>(null);
@ -38,7 +41,7 @@ export default () => {
>
<KindItem
kind={kind}
name={name}
name={translateKindName(name)}
icon={icon}
items={count}
onClick={() => {}}
@ -61,6 +64,7 @@ interface KindItemProps {
}
const KindItem = ({ kind, name, icon, items, selected, onClick, disabled }: KindItemProps) => {
const { t } = useLocale();
return (
<Link
to={{
@ -85,7 +89,8 @@ const KindItem = ({ kind, name, icon, items, selected, onClick, disabled }: Kind
<h2 className="text-sm font-medium">{name}</h2>
{items !== undefined && (
<p className="text-xs text-ink-faint">
{formatNumber(items)} Item{(items > 1 || items === 0) && 's'}
{formatNumber(items)}{' '}
{items > 1 || items === 0 ? `${t('items')}` : `${t('item')}`}
</p>
)}
</div>

View file

@ -2,6 +2,7 @@ import { MagnifyingGlass, X } from '@phosphor-icons/react';
import { forwardRef } from 'react';
import { SearchFilterArgs } from '@sd/client';
import { tw } from '@sd/ui';
import { useLocale } from '~/hooks';
import { useSearchContext } from '.';
import HorizontalScroll from '../overview/Layout/HorizontalScroll';
@ -75,6 +76,7 @@ export const AppliedFilters = () => {
export function FilterArg({ arg, onDelete }: { arg: SearchFilterArgs; onDelete?: () => void }) {
const searchStore = useSearchStore();
const { t } = useLocale();
const filter = filterRegistry.find((f) => f.extract(arg));
if (!filter) return;
@ -84,53 +86,64 @@ export function FilterArg({ arg, onDelete }: { arg: SearchFilterArgs; onDelete?:
searchStore.filterOptions
);
function isFilterDescriptionDisplayed() {
if (filter?.translationKey === 'hidden' || filter?.translationKey === 'favorite') {
return false;
} else {
return true;
}
}
return (
<FilterContainer>
<StaticSection>
<RenderIcon className="size-4" icon={filter.icon} />
<FilterText>{filter.name}</FilterText>
</StaticSection>
<InteractiveSection className="border-l">
{/* {Object.entries(filter.conditions).map(([value, displayName]) => (
{isFilterDescriptionDisplayed() && (
<>
<InteractiveSection className="border-l">
{/* {Object.entries(filter.conditions).map(([value, displayName]) => (
<div key={value}>{displayName}</div>
))} */}
{(filter.conditions as any)[filter.getCondition(filter.extract(arg) as any) as any]}
</InteractiveSection>
{
(filter.conditions as any)[
filter.getCondition(filter.extract(arg) as any) as any
]
}
</InteractiveSection>
<InteractiveSection className="gap-1 border-l border-app-darkerBox/70 py-0.5 pl-1.5 pr-2 text-sm">
{activeOptions && (
<>
{activeOptions.length === 1 ? (
<RenderIcon className="size-4" icon={activeOptions[0]!.icon} />
) : (
<div className="relative flex gap-0.5 self-center">
{activeOptions.map((option, index) => (
<div
key={index}
style={{
zIndex: activeOptions.length - index
}}
>
<RenderIcon className="size-4" icon={option.icon} />
<InteractiveSection className="gap-1 border-l border-app-darkerBox/70 py-0.5 pl-1.5 pr-2 text-sm">
{activeOptions && (
<>
{activeOptions.length === 1 ? (
<RenderIcon className="size-4" icon={activeOptions[0]!.icon} />
) : (
<div className="relative flex gap-0.5 self-center">
{activeOptions.map((option, index) => (
<div
key={index}
style={{
zIndex: activeOptions.length - index
}}
>
<RenderIcon className="size-4" icon={option.icon} />
</div>
))}
</div>
))}
</div>
)}
<span className="max-w-[150px] truncate">
{activeOptions.length > 1
? `${activeOptions.length} ${t(`${filter.translationKey}`, { count: activeOptions.length })}`
: activeOptions[0]?.name}
</span>
</>
)}
<span className="max-w-[150px] truncate">
{activeOptions.length > 1
? `${activeOptions.length} ${pluralize(filter.name)}`
: activeOptions[0]?.name}
</span>
</>
)}
</InteractiveSection>
</InteractiveSection>
</>
)}
{onDelete && <CloseTab onClick={onDelete} />}
</FilterContainer>
);
}
function pluralize(word?: string) {
if (word?.endsWith('s')) return word;
return `${word}s`;
}

View file

@ -16,6 +16,7 @@ import { Icon as SDIcon } from '~/components';
import { useLocale } from '~/hooks';
import { SearchOptionItem, SearchOptionSubMenu } from '.';
import { translateKindName } from '../Explorer/util';
import { AllKeys, FilterOption, getKey } from './store';
import { UseSearch } from './useSearch';
import { FilterTypeCondition, filterTypeCondition } from './util';
@ -26,6 +27,7 @@ export interface SearchFilter<
name: string;
icon: Icon;
conditions: TConditions;
translationKey?: string;
}
export interface SearchFilterCRUD<
@ -413,6 +415,7 @@ function createBooleanFilter(
export const filterRegistry = [
createInOrNotInFilter({
name: i18n.t('location'),
translationKey: 'location',
icon: Folder, // Phosphor folder icon
extract: (arg) => {
if ('filePath' in arg && 'locations' in arg.filePath) return arg.filePath.locations;
@ -448,6 +451,7 @@ export const filterRegistry = [
}),
createInOrNotInFilter({
name: i18n.t('tags'),
translationKey: 'tag',
icon: CircleDashed,
extract: (arg) => {
if ('object' in arg && 'tags' in arg.object) return arg.object.tags;
@ -496,6 +500,7 @@ export const filterRegistry = [
}),
createInOrNotInFilter({
name: i18n.t('kind'),
translationKey: 'kind',
icon: Cube,
extract: (arg) => {
if ('object' in arg && 'kind' in arg.object) return arg.object.kind;
@ -519,9 +524,9 @@ export const filterRegistry = [
Object.keys(ObjectKind)
.filter((key) => !isNaN(Number(key)) && ObjectKind[Number(key)] !== undefined)
.map((key) => {
const kind = ObjectKind[Number(key)];
const kind = ObjectKind[Number(key)] as string;
return {
name: kind as string,
name: translateKindName(kind),
value: Number(key),
icon: kind + '20'
};
@ -532,6 +537,7 @@ export const filterRegistry = [
}),
createTextMatchFilter({
name: i18n.t('name'),
translationKey: 'name',
icon: Textbox,
extract: (arg) => {
if ('filePath' in arg && 'name' in arg.filePath) return arg.filePath.name;
@ -542,6 +548,7 @@ export const filterRegistry = [
}),
createInOrNotInFilter({
name: i18n.t('extension'),
translationKey: 'extension',
icon: Textbox,
extract: (arg) => {
if ('filePath' in arg && 'extension' in arg.filePath) return arg.filePath.extension;
@ -559,6 +566,7 @@ export const filterRegistry = [
}),
createBooleanFilter({
name: i18n.t('hidden'),
translationKey: 'hidden',
icon: SelectionSlash,
extract: (arg) => {
if ('filePath' in arg && 'hidden' in arg.filePath) return arg.filePath.hidden;
@ -576,7 +584,8 @@ export const filterRegistry = [
Render: ({ filter, search }) => <FilterOptionBoolean filter={filter} search={search} />
}),
createBooleanFilter({
name: 'Favorite',
name: i18n.t('favorite'),
translationKey: 'favorite',
icon: Heart,
extract: (arg) => {
if ('object' in arg && 'favorite' in arg.object) return arg.object.favorite;

View file

@ -59,7 +59,7 @@ export const Component = () => {
{dayjs(backup.timestamp).toString()}
</h1>
<p className="mt-0.5 select-text truncate text-sm text-ink-dull">
For library '{backup.library_name}'
{t('for_library', { name: backup.library_name })}
</p>
</div>
<div className="flex grow" />

View file

@ -200,7 +200,10 @@ export const AddLocationDialog = ({
throw error;
}
toast.error({ title: 'Failed to add location', body: `Error: ${error}.` });
toast.error({
title: t('failed_to_add_location'),
body: t('error_message', { error })
});
return;
}

View file

@ -47,9 +47,10 @@ const RulesForm = ({ onSubmitted }: Props) => {
const REMOTE_ERROR_FORM_FIELD = 'root.serverError';
const createIndexerRules = useLibraryMutation(['locations.indexer_rules.create']);
const formId = useId();
const { t } = useLocale();
const modeOptions: { value: RuleKind; label: string }[] = [
{ value: 'RejectFilesByGlob', label: 'Reject files' },
{ value: 'AcceptFilesByGlob', label: 'Accept files' }
{ value: 'RejectFilesByGlob', label: t('reject_files') },
{ value: 'AcceptFilesByGlob', label: t('accept_files') }
];
const form = useZodForm({
schema,
@ -130,8 +131,6 @@ const RulesForm = ({ onSubmitted }: Props) => {
if (form.formState.isSubmitSuccessful) onSubmitted?.();
}, [form.formState.isSubmitSuccessful, onSubmitted]);
const { t } = useLocale();
return (
// The portal is required for Form because this component can be nested inside another form element
<>
@ -150,7 +149,7 @@ const RulesForm = ({ onSubmitted }: Props) => {
{...form.register('name')}
/>
{errors.name && <p className="mt-2 text-sm text-red-500">{errors.name?.message}</p>}
<h3 className="mb-[15px] mt-[20px] w-full text-sm font-semibold">Rules</h3>
<h3 className="mb-[15px] mt-[20px] w-full text-sm font-semibold">{t('rules')}</h3>
<div
className={
'grid space-y-1 rounded-md border border-app-line/60 bg-app-input p-2'

View file

@ -6,6 +6,7 @@ import { IndexerRule, useLibraryMutation, useLibraryQuery } from '@sd/client';
import { Button, Divider, Label, toast } from '@sd/ui';
import { InfoText } from '@sd/ui/src/forms';
import { showAlertDialog } from '~/components';
import { useLocale } from '~/hooks';
import RuleButton from './RuleButton';
import RulesForm from './RulesForm';
@ -39,20 +40,25 @@ export default function IndexerRuleEditor<T extends IndexerRuleIdFieldType>({
const [toggleNewRule, setToggleNewRule] = useState(false);
const deleteIndexerRule = useLibraryMutation(['locations.indexer_rules.delete']);
const { t } = useLocale();
const deleteRule: MouseEventHandler<HTMLButtonElement> = () => {
if (!selectedRule) return;
showAlertDialog({
title: 'Delete',
value: 'Are you sure you want to delete this rule?',
label: 'Confirm',
title: t('delete'),
value: t('delete_rule_confirmation'),
label: t('confirm'),
cancelBtn: true,
onSubmit: async () => {
setIsDeleting(true);
try {
await deleteIndexerRule.mutateAsync(selectedRule.id);
} catch (error) {
toast.error({ title: 'Failed to delete rule', body: `Error: ${error}.` });
toast.error({
title: t('failed_to_delete_rule'),
body: t('error_message', { error })
});
} finally {
setIsDeleting(false);
setSelectedRule(undefined);
@ -68,7 +74,7 @@ export default function IndexerRuleEditor<T extends IndexerRuleIdFieldType>({
<div className={props.className} onClick={() => setSelectedRule(undefined)}>
<div className={'flex items-start justify-between'}>
<div className="mb-1 grow">
<Label>{props.label || 'Indexer rules'}</Label>
<Label>{props.label || t('indexer_rules')}</Label>
{infoText && <InfoText className="mb-4">{infoText}</InfoText>}
</div>
{editable && (
@ -84,7 +90,7 @@ export default function IndexerRuleEditor<T extends IndexerRuleIdFieldType>({
)}
>
<Trash className="-mt-0.5 mr-1.5 inline size-4" />
Delete
{t('delete')}
</Button>
<Button
size="sm"
@ -92,7 +98,7 @@ export default function IndexerRuleEditor<T extends IndexerRuleIdFieldType>({
onClick={() => setToggleNewRule(!toggleNewRule)}
className={clsx('px-5', toggleNewRule && 'opacity-50')}
>
New
{t('new')}
</Button>
</>
)}
@ -127,8 +133,8 @@ export default function IndexerRuleEditor<T extends IndexerRuleIdFieldType>({
) : (
<p className={clsx(listIndexerRules.isError && 'text-red-500')}>
{listIndexerRules.isError
? 'Error while retriving indexer rules'
: 'No indexer rules available'}
? `${t('indexer_rules_error')}`
: `${t('indexer_rules_not_available')}`}
</p>
)}
</div>

View file

@ -5,6 +5,7 @@ import { InputField, InputFieldProps, toast } from '@sd/ui';
import { usePlatform } from '~/util/Platform';
import { openDirectoryPickerDialog } from './openDirectoryPickerDialog';
import { useLocale } from '~/hooks';
export const LocationPathInputField = forwardRef<
HTMLInputElement,
@ -12,6 +13,7 @@ export const LocationPathInputField = forwardRef<
>((props, ref) => {
const platform = usePlatform();
const form = useFormContext();
const {t} = useLocale()
return (
<InputField
@ -26,8 +28,8 @@ export const LocationPathInputField = forwardRef<
shouldDirty: true
})
)
.catch((error) => toast.error(String(error)))
}
.catch((error) => toast.error(t('error_message', { error: String(error) }))
)}
readOnly={platform.platform !== 'web'}
className={clsx('mb-3', platform.platform === 'web' || 'cursor-pointer')}
/>

View file

@ -1,10 +1,12 @@
import { useEffect, useRef, useState } from 'react';
import { useBridgeQuery } from '@sd/client';
import { toast } from '@sd/ui';
import { useLocale } from '~/hooks';
export function useP2PErrorToast() {
const listeners = useBridgeQuery(['p2p.listeners']);
const didShowError = useRef(false);
const { t } = useLocale();
useEffect(() => {
if (!listeners.data) return;
@ -14,24 +16,21 @@ export function useP2PErrorToast() {
if (listeners.data.ipv4.type === 'Error' && listeners.data.ipv6.type === 'Error') {
body = (
<div>
<p>
Error creating the IPv4 and IPv6 listeners. Please check your firewall
settings!
</p>
<p>{t('ipv4_ipv6_listeners_error')}</p>
<p>{listeners.data.ipv4.error}</p>
</div>
);
} else if (listeners.data.ipv4.type === 'Error') {
body = (
<div>
<p>Error creating the IPv4 listeners. Please check your firewall settings!</p>
<p>{t('ipv4_listeners_error')}</p>
<p>{listeners.data.ipv4.error}</p>
</div>
);
} else if (listeners.data.ipv6.type === 'Error') {
body = (
<div>
<p>Error creating the IPv6 listeners. Please check your firewall settings!</p>
<p>{t('ipv6_listeners_error')}</p>
<p>{listeners.data.ipv6.error}</p>
</div>
);
@ -40,7 +39,7 @@ export function useP2PErrorToast() {
if (body) {
toast.error(
{
title: 'Error starting up networking!',
title: t('networking_error'),
body
},
{

View file

@ -1,6 +1,11 @@
import { z } from '@sd/ui/src/forms';
export const SortOrderSchema = z.union([z.literal('Asc'), z.literal('Desc')]);
import i18n from './I18n';
export const SortOrderSchema = z.union([
z.literal('Asc').describe(i18n.t('ascending')),
z.literal('Desc').describe(i18n.t('descending'))
]);
export type SortOrder = z.infer<typeof SortOrderSchema>;
export const NodeIdParamsSchema = z.object({ id: z.string() });

View file

@ -1,6 +1,7 @@
import clsx from 'clsx';
import { ReactNode } from 'react';
import { Button } from '@sd/ui';
import { useLocale } from '~/hooks';
import {
dismissibleNoticeStore,
getDismissibleNoticeStore,
@ -28,6 +29,7 @@ export default ({
...props
}: Props) => {
const dismissibleNoticeStore = useDismissibleNoticeStore();
const { t } = useLocale();
if (dismissibleNoticeStore[storageKey]) return null;
@ -54,7 +56,7 @@ export default ({
className="border-white/10 font-medium hover:border-white/20"
onClick={onLearnMore}
>
Learn More
{t('learn_more')}
</Button>
)}
<Button
@ -65,7 +67,7 @@ export default ({
onDismiss?.();
}}
>
Got it
{t('got_it')}
</Button>
</div>
</div>

View file

@ -5,6 +5,7 @@ import { explorerStore } from '~/app/$libraryId/Explorer/store';
import { useExplorerContext } from '../app/$libraryId/Explorer/Context';
import { useExplorerSearchParams } from '../app/$libraryId/Explorer/util';
import { useLocale } from './useLocale';
export const useQuickRescan = () => {
// subscription so that we can cancel it if in progress
@ -15,6 +16,7 @@ export const useQuickRescan = () => {
const { client } = useRspcLibraryContext();
const explorer = useExplorerContext({ suspense: false });
const [{ path }] = useExplorerSearchParams();
const { t } = useLocale();
const rescan = (id?: number) => {
const locationId =
@ -38,7 +40,7 @@ export const useQuickRescan = () => {
);
toast.success({
title: `Quick rescan started`
title: t('quick_rescan_started')
});
};

File diff suppressed because it is too large Load diff

View file

@ -3,6 +3,7 @@
"about_vision_text": "У многіх з нас ёсць некалькі уліковых запісаў у воблаку, дыскі без рэзервовай копіі і дадзеныя, якія могуць быць згубленыя. Мы залежым ад хмарных сэрвісаў, такіх як Google Photos і iCloud, але іх магчымасці абмежаваныя, а сумяшчальнасць паміж сэрвісамі і аперацыйнымі сістэмамі практычна адсутнічае. Фотагалерэя не павінна быць прывязаная да экасістэме прылады або выкарыстоўвацца для збору рэкламных дадзеных. Яна павінна быць незалежная ад аперацыйнай сістэмы, сталая і належаць асабіста вам. Дадзеныя, якія мы ствараем, - гэта наша спадчына, якое надоўга перажыве нас. Тэхналогія з адкрытым зыходным кодам-адзіны спосаб забяспечыць абсалютны кантроль над дадзенымі, якія вызначаюць наша жыццё, у неабмежаванай маштабе.",
"about_vision_title": "Бачанне",
"accept": "Прыняць",
"accept_files": "Прыняць файлы",
"accessed": "Выкарыстаны",
"account": "Уліковы запіс",
"actions": "Дзеянні",
@ -16,26 +17,34 @@
"add_location_tooltip": "Дадайце шлях у якасці індэксаваная лакацыі",
"add_locations": "Дабавіць лакацыі",
"add_tag": "Дабавіць тэг",
"added_location": "Дададзена лакацыя {{name}}",
"adding_location": "Дадаем лакацыю {{name}}",
"advanced_settings": "Дадатковыя налады",
"album": "Альбом",
"alias": "Псеўданім",
"all_jobs_have_been_cleared": "Усе задачы выкананы.",
"alpha_release_description": "Мы рады, што вы можаце паспрабаваць Spacedrive, які зараз знаходзіцца ў стадыі альфа-тэставання і дэманструе новыя захапляльныя функцыі. Як і любы іншы першы рэліз, гэтая версія можа ўтрымліваць некаторыя памылкі. Мы просім Вас паведамляць аб любых праблемах у нашым канале Discord. Вашы каштоўныя водгукі будуць спрыяць паляпшэнню карыстацкага досведу.",
"alpha_release_title": "Альфа версія",
"app_crashed": "Збой прыкладання",
"app_crashed_description": "Мы ўжо за гарызонтам падзей...",
"appearance": "Выгляд",
"appearance_description": "Зменіце знешні выгляд вашага кліента.",
"apply": "Прыняць",
"apply": "Ужыць",
"archive": "Архіў",
"archive_coming_soon": "Архіваванне лакацый хутка з'явіцца...",
"archive_info": "Выманне дадзеных з бібліятэкі ў выглядзе архіва, карысна для захавання структуры лакацый.",
"are_you_sure": "Вы ўпэўнены?",
"ask_spacedrive": "Спытайце Spacedrive",
"asc": "Па ўзрастанні",
"ascending": "Па ўзрастанні",
"assign_tag": "Прысвоіць тэг",
"audio": "Аўдыё",
"audio_preview_not_supported": "Папярэдні прагляд аўдыя не падтрымваецца.",
"back": "Назад",
"backups": "Рэз. копіі",
"backups_description": "Кіруйце вашымі копіямі базы дадзеных Spacedrive",
"blur_effects": "Эфекты размыцця",
"blur_effects_description": "Да некаторых кампанентаў будзе ўжыты эфект размыцця.",
"book": "Кніга",
"cancel": "Скасаваць",
"cancel_selection": "Скасаваць выбар",
"celcius": "Цэльсій",
@ -53,11 +62,15 @@
"cloud": "Воблака",
"cloud_drives": "Воблачныя дыскі",
"clouds": "Воблачныя схов.",
"code": "Код",
"collection": "Калекцыя",
"color": "Колер",
"coming_soon": "Хутка з'явіцца",
"contains": "змяшчае",
"compress": "Сціснуць",
"config": "Канфігурацыя",
"configure_location": "Наладзіць лакацыі",
"confirm": "Пацвердзіць",
"connect_cloud": "Падключыць воблака",
"connect_cloud_description": "Падключыце воблачныя акаўнты да Spacedrive.",
"connect_device": "Падключыце прыладу",
@ -82,6 +95,7 @@
"create_folder_success": "Створана новая папка: {{name}}",
"create_library": "Стварыць бібліятэку",
"create_library_description": "Бібліятэка - гэта абароненая база дадзеных на прыладзе. Вашы файлы застаюцца на сваіх месцах, бібліятэка парадкуе іх і захоўвае ўсе дадзеныя, злучаныя з Spacedrive.",
"create_location": "Стварыць лакацыю",
"create_new_library": "Стварыце новую бібліятэку",
"create_new_library_description": "Бібліятэка - гэта абароненая база дадзеных на прыладзе. Вашы файлы застаюцца на сваіх месцах, бібліятэка парадкуе іх і захоўвае ўсе дадзеныя, злучаныя з Spacedrive.",
"create_new_tag": "Стварыць новы тэг",
@ -98,6 +112,7 @@
"cut_object": "Выразаць аб'ект",
"cut_success": "Элементы выразаны",
"dark": "Цёмная",
"database": "База дадзеных",
"data_folder": "Папка з дадзенымі",
"date_accessed": "Дата доступу",
"date_created": "Дата стварэння",
@ -109,15 +124,18 @@
"debug_mode": "Рэжым адладкі",
"debug_mode_description": "Уключыце дадатковыя функцыі адладкі ў дадатку.",
"default": "Стандартны",
"desc": "Па змяншэнні",
"descending": "Па змяншэнні",
"random": "Выпадковы",
"ipv4_listeners_error": "Памылка пры стварэнні слухачоў IPv4. Калі ласка, праверце наладкі брандмаўэра!",
"ipv4_ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv4 і IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"ipv6": "Сетка IPv6",
"ipv6_description": "Дазволіць аднарангавыя сувязі з выкарыстаннем сеткі IPv6.",
"ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"is": "гэта",
"is_not": "не",
"is_not": "не",
"default_settings": "Налады па змаўчанні",
"delete": "Выдаліць",
"delete_dialog_title": "Выдаліць {{prefix}} {{type}}",
"delete_dialog_title": "Выдаліць {{type}} ({{prefix}})",
"delete_forever": "Выдаліць",
"delete_info": "Гэта не выдаліць самой тэчкі на дыску. Будзе выдалена медыя-прэўю.",
"delete_library": "Выдаліць бібліятэку",
@ -126,9 +144,10 @@
"delete_location_description": "Пры выдаленні лакацыі ўсе злучаныя з ім файлы будуць выдалены з базы дадзеных Spacedrive, самі файлы пры гэтым не будуць выдалены з прылады.",
"delete_object": "Выдаліць аб'ект",
"delete_rule": "Выдаліць правіла",
"delete_rule_confirmation": "Вы ўпэўненыя, што жадаеце выдаліць гэтае правіла?",
"delete_tag": "Выдаліць тэг",
"delete_tag_description": "Вы ўпэўнены, што хочаце выдаліць гэты тэг? Гэта дзеянне няможна скасаваць, і тэгнутые файлы будуць адлучаны.",
"delete_warning": "Гэта дзеянне прывядзе да выдалення вашага {{type}}. У дадзены момант гэта дзеянне немагчыма адмяніць. Калі перамясціць файл у корзіну, вы зможаце аднавіць яго пазней.",
"delete_warning": "Гэта дзеянне выдаліць {{type}}. У дадзены момант гэта дзеянне немагчыма адмяніць. Калі перамясціць у сметніцу, вы зможаце аднавіць {{type}} пазней.",
"description": "Апісанне",
"deselect": "Скасаваць выбар",
"details": "Падрабязней",
@ -136,14 +155,20 @@
"devices_coming_soon_tooltip": "Хутка будзе! Гэта альфа-версія не ўлучае сінхранізацыі бібліятэк, яна будзе гатова вельмі хутка.",
"dialog": "Дыялогавае акно",
"dialog_shortcut_description": "Выкананне дзеянняў і аперацый",
"direction": "Кірунак",
"direction": "Парадак",
"directory": "дырэкторыю",
"directories": "дырэкторыі",
"disabled": "Адключана",
"disconnected": "Адключан",
"display_formats": "Фарматы адлюстравання",
"display_name": "Адлюстраванае імя",
"distance": "Адлегласць",
"do_the_thing": "Зрабіць справу",
"document": "Дакумент",
"done": "Гатова",
"dont_show_again": "Не паказваць ізноў",
"dont_have_any": "Падобна, у вас іх няма!",
"dotfile": "Dot-файл",
"double_click_action": "Дзеянне на падвойны клік",
"download": "Спампаваць",
"downloading_update": "Загрузка абнаўлення",
@ -167,6 +192,7 @@
"encrypt_library": "Зашыфраваць бібліятэку",
"encrypt_library_coming_soon": "Шыфраванне бібліятэкі хутка з'явіцца",
"encrypt_library_description": "Уключыць шыфраванне гэтай бібліятэкі, пры гэтым будзе зашыфравана толькі база дадзеных Spacedrive, але не самі файлы",
"encrypted": "Зашыфраваны",
"ends_with": "заканчваецца на",
"ephemeral_notice_browse": "Праглядайце файлы і папкі з прылады.",
"ephemeral_notice_consider_indexing": "Разгледзьце магчымасць індэксавання вашых лакацый для хутчэйшага і эфектыўнага пошуку.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Наладзьце параметры выдалення.",
"error": "Памылка",
"error_loading_original_file": "Памылка пры загрузцы выточнага файла",
"error_message": "Памылка: {{error}}.",
"expand": "Разгарнуць",
"explorer": "Праваднік",
"explorer_settings": "Налады правадніка",
@ -185,25 +212,32 @@
"export_library": "Экспарт бібліятэкі",
"export_library_coming_soon": "Экспарт бібліятэкі хутка стане магчымым",
"export_library_description": "Экспартуйце гэту бібліятэку ў файл.",
"executable": "Выканаўчы файл",
"extension": "Пашырэнне",
"extensions": "Пашырэнні",
"extensions_description": "Устанавіце пашырэнні, каб пашырыць функцыйнасць гэтага кліента.",
"fahrenheit": "Фарэнгейт",
"failed_to_add_location": "Не атрымалася дадаць лакацыю",
"failed_to_cancel_job": "Не атрымалася скасаваць заданне.",
"failed_to_clear_all_jobs": "Не атрымалася выканаць усе заданні.",
"failed_to_copy_file": "Не атрымалася скапіяваць файл",
"failed_to_copy_file_path": "Не атрымалася скапіяваць шлях да файла",
"failed_to_cut_file": "Не атрымалася выразаць файл",
"failed_to_download_update": "Не ўдалося загрузіць абнаўленне",
"failed_to_delete_rule": "Не атрымалася выдаліць правіла",
"failed_to_download_update": "Не атрымалася загрузіць абнаўленне",
"failed_to_duplicate_file": "Не атрымалася стварыць дублікат файла",
"failed_to_generate_checksum": "Не атрымалася згенераваць кантрольную суму",
"failed_to_generate_labels": "Не атрымалася згенераваць ярлык",
"failed_to_generate_thumbnails": "Не атрымалася згенераваць мініяцюры",
"failed_to_load_tags": "Не атрымалася загрузіць тэгі",
"failed_to_open_file_title": "Не атрымалася адкрыць файл",
"failed_to_open_file_body": "Не атрымалася адкрыць файл з-за памылкі: {{error}}",
"failed_to_open_file_with": "Не атрымалася адкрыць файл пры дапамозе: {{data}}",
"failed_to_pause_job": "Не атрымалася прыпыніць заданне.",
"failed_to_reindex_location": "Не атрымалася пераіндэксаваць лакацыю",
"failed_to_remove_file_from_recents": "Не атрымалася выдаліць файл з нядаўніх",
"failed_to_remove_job": "Не атрымалася выдаліць заданне.",
"failed_to_rename_file": "Не атрымалася перайменаваць з {{oldName}} на {{newName}}",
"failed_to_rescan_location": "Не атрымалася выканаць паўторнае сканаванне лакацыі",
"failed_to_resume_job": "Не атрымалася аднавіць заданне.",
"failed_to_update_location_settings": "Не атрымалася абнавіць налады лакацыі",
@ -214,10 +248,17 @@
"feedback_login_description": "Уваход у сістэму дазваляе нам адказваць на ваш фідбэк",
"feedback_placeholder": "Ваш фідбэк...",
"feedback_toast_error_message": "Пры адпраўленні вашага фідбэку адбылася абмыла. Калі ласка, паспрабуйце яшчэ раз.",
"file": "файл",
"file_already_exist_in_this_location": "Файл ужо існуе ў гэтай лакацыі",
"file_from": "Файл {{file}} з {{name}}",
"file_indexing_rules": "Правілы індэксацыі файлаў",
"file_picker_not_supported": "Сістэма выбару файлаў не падтрымліваецца на гэтай платформе",
"files": "файлы",
"filter": "Фільтр",
"filters": "Фільтры",
"folder": "Папка",
"font": "Шрыфт",
"for_library": "Для бібліятэкі {{name}}",
"forward": "Наперад",
"free_of": "сваб. з",
"from": "з",
@ -238,7 +279,7 @@
"go_to_recents": "Перайсці да нядаўніх",
"go_to_settings": "Перайсці ў налады",
"go_to_tag": "Перайсці да тэгу",
"got_it": "Атрымалася",
"got_it": "Зразумела",
"grid_gap": "Прабел",
"grid_view": "Значкі",
"grid_view_notice_description": "Атрымайце візуальны агляд файлаў з дапамогай прагляду значкамі. У гэтым уяўленні файлы і тэчкі адлюстроўваюцца ў выглядзе зменшаных выяў, што дазваляе хутка знайсці патрэбны файл.",
@ -250,22 +291,31 @@
"hide_in_sidebar_description": "Забараніце адлюстраванне гэтага тэга ў бакавой панэлі.",
"hide_location_from_view": "Схаваць лакацыю і змесціва з выгляду",
"home": "Галоўная",
"hosted_locations": "Размешчаныя лакацыі",
"hosted_locations_description": "Дапоўніце лакальнае сховішча нашым воблакам!",
"icon_size": "Памер значкаў",
"image": "Малюнак",
"image_labeler_ai_model": "Мадэль ШІ для генерацыі ярлыкоў выяў",
"image_labeler_ai_model_description": "Мадэль, што выкарыстоўваецца для распазнання аб'ектаў на выявах. Вялікія мадэлі дакладнейшыя, але працуюць павольней.",
"import": "Імпарт",
"incoming_spacedrop": "Уваходны Spacedrop",
"indexed": "Індэксаваны",
"indexed_new_files": "Індэксаваны новыя файлы {{name}}",
"indexer_rule_reject_allow_label": "Па змаўчанні правіла індэксатара працуе як спіс адхіленых, у выніку чаго выключаюцца кожныя файлы, што адпавядаюць яго крытэрам. Улучэнне гэтага параметра ператворыць яго ў спіс дазволеных, дазваляючы лакацыі індэксаваць толькі файлы, што адпавядаюць зададзеным правілам.",
"indexer_rules": "Правілы індэксатара",
"indexer_rules_error": "Памылка пры выманні правіл індэксатара",
"indexer_rules_not_available": "Няма даступных правілаў індэксацыі",
"indexer_rules_info": "Правілы індэксатара дазваляюць паказваць шляхі для ігнаравання з дапамогай шаблонаў.",
"install": "Устанавіць",
"install_update": "Устанавіць абнаўленне",
"installed": "Устаноўлена",
"item": "элемент",
"item_size": "Памер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} items",
"item_with_count_many": "{{count}} items",
"item_with_count_few": "{{count}} элементаў",
"item_with_count_many": "{{count}} элементаў",
"item_with_count_other": "{{count}} элементаў",
"items": "элементы",
"job_has_been_canceled": "Заданне скасавана.",
"job_has_been_paused": "Заданне было прыпынена.",
"job_has_been_removed": "Заданне было выдалена",
@ -282,11 +332,16 @@
"keys": "Ключы",
"kilometers": "Кіламетры",
"kind": "Тып",
"kind_one": "Тып",
"kind_few": "Тыпа",
"kind_many": "Тыпаў",
"label": "Ярлык",
"labels": "Ярлыкі",
"language": "Мова",
"language_description": "Змяніць мову інтэрфейсу Spacedrive",
"learn_more": "Даведацца больш",
"learn_more_about_telemetry": "Падрабязней пра тэлеметрыю",
"less": "менш",
"libraries": "Бібліятэкі",
"libraries_description": "База дадзеных утрымвае ўсе дадзеныя бібліятэк і метададзеныя файлаў.",
"library": "Бібліятэка",
@ -297,6 +352,7 @@
"library_settings": "Налады бібліятэкі",
"library_settings_description": "Галоўныя налады, што адносяцца да бягучай актыўнай бібліятэкі.",
"light": "Светлая",
"link": "Спасылка",
"list_view": "Спіс",
"list_view_notice_description": "Зручная навігацыя па файлах і тэчках з дапамогай функцыі прагляду спісам. Гэты выгляд адлюстроўвае файлы ў выглядзе простага, спарадкаванага спіса, дазваляючы хутка знаходзіць і атрымваць доступ да патрэбных файлаў.",
"loading": "Загрузка",
@ -304,6 +360,9 @@
"local_locations": "Лакальныя лакацыі",
"local_node": "Лакальны вузел",
"location": "Лакацыя",
"location_one": "Лакацыя",
"location_few": "Лакацыі",
"location_many": "Лакацый",
"location_connected_tooltip": "Лакацыя правяраецца на змены",
"location_disconnected_tooltip": "Лакацыя не правяраецца на змены",
"location_display_name_info": "Імя гэтага месцазнаходжання, якое будзе адлюстроўвацца на бакавой панэлі. Гэта дзеянне не пераназаве фактычнай тэчкі на дыску.",
@ -330,7 +389,8 @@
"media_view_context": "Кантэкст галерэі",
"media_view_notice_description": "Лёгка знаходзіце фатаграфіі і відэа, галерэя паказвае вынікі, пачынаючы з бягучай лакацыі, уключаючы укладзеныя папкі.",
"meet_contributors_behind_spacedrive": "Пазнаёмцеся з удзельнікамі праекта Spacedrive",
"meet_title": "Сустракайце новы від правадніка: {{title}}",
"meet_title": "Сустракайце новы від правадніка: «{{title}}»",
"mesh": "Ячэйка",
"miles": "Мілі",
"mode": "Рэжым",
"modified": "Зменены",
@ -341,6 +401,7 @@
"move_files": "Перамясціць файлы",
"move_forward_within_quick_preview": "Перамяшчэнне наперад у рамках хуткага прагляду",
"move_to_trash": "Перамясціць у сметніцу",
"my_sick_location": "Мая цудоўная лакацыя",
"name": "Імя",
"navigate_back": "Пераход назад",
"navigate_backwards": "Пераход назад",
@ -354,6 +415,7 @@
"network": "Сетка",
"network_page_description": "Тут з'явяцца іншыя вузлы Spacedrive у вашай лакальнай сетцы, разам з улучанай вашай АС па змаўчанні.",
"networking": "Праца ў сеткі",
"networking_error": "Памылка пры запуску сеткі!",
"networking_port": "Сеткавы порт",
"networking_port_description": "Порт для аднарангавай сеткі Spacedrive. Калі ў вас не ўсталявана абмежавальная сетказаслона, гэты параметр ідзе пакінуць адключаным. Не адкрывайце доступу ў Інтэрнэт!",
"new": "Новае",
@ -364,6 +426,7 @@
"new_tab": "Новая ўкладка",
"new_tag": "Новы тэг",
"new_update_available": "Новая абнаўленне даступна!",
"no_apps_available": "Няма даступных прыкладанняў",
"no_favorite_items": "Няма абраных файлаў",
"no_items_found": "Нічога не знойдзена",
"no_jobs": "Няма заданняў.",
@ -376,8 +439,9 @@
"node_name": "Імя вузла",
"nodes": "Вузлы",
"nodes_description": "Кіраванне вузламі, падлучанымі да гэтай бібліятэкі. Вузел - гэта асобнік бэкэнда Spacedrive, што працуе на прыладзе ці серверы. Кожны вузел мае сваю копію базы дадзеных і сінхранізуецца праз аднарангавыя злучэнні ў рэжыме рэальнага часу.",
"none": "Не",
"none": "Не абрана",
"normal": "Нармальны",
"note": "Нататка",
"not_you": "Не вы?",
"nothing_selected": "Нічога не абрана",
"number_of_passes": "# пропускаў",
@ -388,14 +452,17 @@
"open": "Адкрыць",
"open_file": "Адкрыць файл",
"open_in_new_tab": "Адкрыць у новай укладцы",
"open_logs": "Адкрыць логі",
"open_new_location_once_added": "Адкрыць новую лакацыю пасля дадання",
"open_new_tab": "Адкрыць новую ўкладку",
"open_object": "Адкрыць аб'ект",
"open_object_from_quick_preview_in_native_file_manager": "Адкрыццё аб'екта з хуткага прагляду ў родным файлавым менеджары",
"open_settings": "Адкрыць налады",
"open_with": "Адкрыць пры дапамозе",
"opening_trash": "Адкрываем сметніцу",
"or": "Ці",
"overview": "Агляд",
"package": "Пакет",
"page": "Старонка",
"page_shortcut_description": "Розныя старонкі ў дадатку",
"pair": "Злучыць",
@ -406,16 +473,20 @@
"path": "Шлях",
"path_copied_to_clipboard_description": "Шлях да лакацыі {{location}} скапіяваны ў буфер памену.",
"path_copied_to_clipboard_title": "Шлях скапіяваны ў буфер памену",
"path_to_save_do_the_thing": "Шлях для захавання пры націску кнопкі 'Зрабіць справу':",
"paths": "Шляхі",
"pause": "Паўза",
"peers": "Удзельнікі",
"people": "Людзі",
"pin": "Замацаваць",
"please_select_emoji": "Калі ласка, абярыце эмоджы",
"prefix_a": "1",
"preview_media_bytes": "Медыяпрэв'ю",
"preview_media_bytes_description": "Агульны памер усіх медыяфайлаў папярэдняга прагляду (мініяцюры і інш.).",
"privacy": "Прыватнасць",
"privacy_description": "Spacedrive створаны для забеспячэння прыватнасці, таму ў нас адкрыты выточны код і лакальны падыход. Таму мы выразна паказваем, якія дадзеныя перадаюцца нам.",
"quick_preview": "Хуткі прагляд",
"quick_rescan_started": "Пачата хуткае сканіраванне",
"quick_view": "Хуткі прагляд",
"recent_jobs": "Нядаўнія заданні",
"recents": "Нядаўняе",
@ -425,6 +496,7 @@
"regenerate_thumbs": "Рэгенераваць мініяцюры",
"reindex": "Пераіндэксаваць",
"reject": "Адхіліць",
"reject_files": "Адхіліць файлы",
"reload": "Перазагрузіць",
"remove": "Выдаліць",
"remove_from_recents": "Выдаліць з нядаўніх",
@ -435,17 +507,24 @@
"rescan_directory": "Паўторнае сканаванне дырэкторыі",
"rescan_location": "Паўторнае сканаванне лакацыі",
"reset": "Скінуць",
"reset_and_quit": "Скід і выхад з прыкладання",
"reset_confirmation": "Вы ўпэўненыя, што хочаце скінуць наладкі Spacedrive? Ваша база дадзеных будзе выдалена.",
"reset_to_continue": "Мы выявілі, што вы стварылі бібліятэку з дапамогай старой версіі Spacedrive. Калі ласка, скіньце наладкі, каб працягнуць працу з дадаткам!",
"reset_warning": "ВЫ СТРАЦІЦЕ УСЕ ІСНУЮЧЫЯ ДАДЗЕНЫЯ SPACEDRIVE!",
"resources": "Рэсурсы",
"restore": "Аднавіць",
"resume": "Аднавіць",
"retry": "Паўтарыць",
"reveal_in_native_file_manager": "Адкрыць у сістэмным правадніку",
"revel_in_browser": "Адкрыць у {{browser}}",
"rules": "Правілы",
"running": "Выконваецца",
"save": "Захаваць",
"save_changes": "Захаваць змены",
"save_search": "Захаваць пошук",
"save_spacedrop": "Захаваць Spacedrop",
"saved_searches": "Захаваныя пошукавыя запыты",
"screenshot": "Скрыншот",
"search": "Пошук",
"search_extensions": "Пашырэнні для пошуку",
"search_for_files_and_actions": "Пошук файлаў і дзеянняў...",
@ -453,7 +532,10 @@
"secure_delete": "Бяспечнае выдаленне",
"security": "Бяспека",
"security_description": "Гарантуйце бяспеку вашага кліента.",
"see_more": "Паказаць больш",
"see_less": "Паказаць менш",
"send": "Адправіць",
"send_report": "Адправіць справаздачу",
"settings": "Налады",
"setup": "Наладзіць",
"share": "Падзяліцца",
@ -464,10 +546,10 @@
"sharing": "Супольнае выкарыстанне",
"sharing_description": "Кіруйце тым, хто мае доступ да вашых бібліятэк.",
"show_details": "Паказаць падрабязнасці",
"show_hidden_files": "Паказаць утоеныя файлы",
"show_hidden_files": "Утоеныя файлы",
"show_inspector": "Паказаць інспектар",
"show_object_size": "Паказаць памер аб'екта",
"show_path_bar": "Паказаць адрасны радок",
"show_object_size": "Памер аб'екта",
"show_path_bar": "Адрасны радок",
"show_slider": "Паказаць паўзунок",
"size": "Памер",
"size_b": "Б",
@ -501,12 +583,17 @@
"sync_with_library": "Сінхранізацыя з бібліятэкай",
"sync_with_library_description": "Калі гэта опцыя ўлучана, вашы прывязаныя клавішы будуць сінхранізаваны з бібліятэкай, у адваротным выпадку яны будуць ужывацца толькі да гэтага кліента.",
"system": "Сістэмная",
"tag": "Тэг",
"tag_one": "Тэг",
"tag_few": "Тэга",
"tag_many": "Тэгаў",
"tags": "Тэгі",
"tags_description": "Кіруйце сваімі тэгамі.",
"tags_notice_message": "Гэтаму тэгу не прысвоена ні аднаго элемента.",
"telemetry_description": "Уключыце, каб падаць распрацоўнікам дэталёвыя дадзеныя пра выкарыстанне і тэлеметрыю для паляпшэння дадатку. Выключыце, каб адпраўляць толькі асноўныя дадзеныя: статус актыўнасці, версію дадатку, версію ядра і платформу (прыкладам, мабільную, ўэб- ці настольную).",
"telemetry_title": "Падаванне дадатковай тэлеметрыi і дадзеных пра выкарыстанне",
"temperature": "Тэмпература",
"text": "Тэкст",
"text_file": "Тэкставы файл",
"text_size": "Памер тэксту",
"thank_you_for_your_feedback": "Дзякуй за ваш фідбэк!",
@ -525,7 +612,7 @@
"toggle_sidebar": "Пераключыць бакавую панэль",
"lock_sidebar": "Бакавая панэль заблакаваць",
"hide_sidebar": "Схаваць бакавую панэль",
"drag_to_resize": "Перацягнуць, каб змяніць памер",
"drag_to_resize": "Перац. для змены памеру",
"click_to_hide": "Націсніце, каб схаваць",
"click_to_lock": "Націсніце, каб заблакаваць",
"tools": "Інструменты",
@ -540,9 +627,11 @@
"ui_animations": "UI Анімацыі",
"ui_animations_description": "Дыялогавыя вокны і іншыя элементы карыстацкага інтэрфейсу будуць анімавацца пры адкрыцці і зачыненні.",
"unnamed_location": "Безназоўная лакацыя",
"unknown": "Невядомы",
"update": "Абнаўленне",
"update_downloaded": "Абнаўленне загружана. Перазагрузіце Spacedrive для усталявання",
"updated_successfully": "Паспяхова абнавіліся, вы на версіі {{version}}",
"uploaded_file": "Загружаны файл!",
"usage": "Выкарыстанне",
"usage_description": "Інфармацыя пра выкарыстанне бібліятэкі і інфармацыя пра ваша апаратнае забеспячэнне",
"vaccum": "Вакуум",
@ -550,10 +639,13 @@
"vaccum_library_description": "Перапакуйце базу дадзеных, каб вызваліць непатрэбную прастору.",
"value": "Значэнне",
"version": "Версія {{version}}",
"video": "Відэа",
"video_preview_not_supported": "Папярэдні прагляд відэа не падтрымваецца.",
"view_changes": "Праглядзець змены",
"want_to_do_this_later": "Жадаеце зрабіць гэта пазней?",
"web_page_archive": "Архіў вэб-старонак",
"website": "Вэб-сайт",
"widget": "Віджэт",
"with_descendants": "С потомками",
"your_account": "Ваш уліковы запіс",
"your_account_description": "Уліковы запіс Spacedrive і інфармацыя.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "Viele von uns haben mehrere Cloud-Konten, Laufwerke, die nicht gesichert sind, und Daten, die von Verlust bedroht sind. Wir verlassen uns auf Cloud-Dienste wie Google Fotos und iCloud, sind aber mit begrenzter Kapazität eingesperrt und haben fast keine Interoperabilität zwischen Diensten und Betriebssystemen. Fotoalben sollten nicht in einem Geräte-Ökosystem feststecken oder für Werbedaten geerntet werden. Du solltest betriebssystemunabhängig, dauerhaft und persönlich besessen sein. Daten, die wir erstellen, sind unser Erbe, das uns lange überleben wird - Open-Source-Technologie ist der einzige Weg, um sicherzustellen, dass wir absolute Kontrolle über die Daten behalten, die unser Leben definieren, in unbegrenztem Maßstab.",
"about_vision_title": "Vision",
"accept": "Akzeptieren",
"accept_files": "Accept files",
"accessed": "Zugegriffen",
"account": "Konto",
"actions": "Aktionen",
@ -16,10 +17,16 @@
"add_location_tooltip": "Pfad als indexierten Standort hinzufügen",
"add_locations": "Standorte hinzufügen",
"add_tag": "Tag hinzufügen",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Erweiterte Einstellungen",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Alle Aufgaben wurden gelöscht.",
"alpha_release_description": "Wir freuen uns, dass du jetzt die Alpha-Version von Spacedrive testen kannst, in der aufregende neue Funktionen vorgestellt werden. Wie bei jeder ersten Ausgabe kann diese Version einige Fehler enthalten. Wir bitten dich freundlich, uns dabei zu helfen, alle auftretenden Probleme auf unserem Discord-Kanal zu melden. Dein wertvolles Feedback wird wesentlich dazu beitragen, das Benutzererlebnis zu verbessern.",
"alpha_release_title": "Alpha-Version",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Erscheinungsbild",
"appearance_description": "Ändere das Aussehen deines Clients.",
"apply": "Bewerbung",
@ -28,14 +35,16 @@
"archive_info": "Daten aus der Bibliothek als Archiv extrahieren, nützlich um die Ordnerstruktur des Standorts zu bewahren.",
"are_you_sure": "Bist du sicher?",
"ask_spacedrive": "Frag Spacedrive",
"asc": "Aufsteigend",
"ascending": "Aufsteigend",
"assign_tag": "Tag zuweisen",
"audio": "Audio",
"audio_preview_not_supported": "Audio-Vorschau wird nicht unterstützt.",
"back": "Zurück",
"backups": "Backups",
"backups_description": "Verwalte deine Spacedrive-Datenbank-Backups.",
"blur_effects": "Weichzeichnereffekte",
"blur_effects_description": "Einigen Komponenten wird ein Weichzeichnungseffekt angewendet.",
"book": "Book",
"cancel": "Abbrechen",
"cancel_selection": "Auswahl abbrechen",
"celcius": "Celsius",
@ -53,11 +62,15 @@
"cloud": "Cloud",
"cloud_drives": "Cloud-Laufwerke",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Farbe",
"coming_soon": "Demnächst",
"contains": "enthält",
"compress": "Komprimieren",
"config": "Config",
"configure_location": "Standort konfigurieren",
"confirm": "Confirm",
"connect_cloud": "Eine Cloud Verbinden",
"connect_cloud_description": "Verbinde deine Cloud-Konten mit Spacedrive.",
"connect_device": "Ein Gerät anschließen",
@ -82,6 +95,7 @@
"create_folder_success": "Neuer Ordner erstellt: {{name}}",
"create_library": "Eine Bibliothek erstellen",
"create_library_description": "Bibliotheken sind eine sichere, auf dem Gerät befindliche Datenbank. Deine Dateien bleiben dort, wo sie sind, die Bibliothek katalogisiert sie und speichert alle mit Spacedrive verbundenen Daten.",
"create_location": "Create Location",
"create_new_library": "Neue Bibliothek erstellen",
"create_new_library_description": "Bibliotheken sind eine sichere, auf dem Gerät befindliche Datenbank. Deine Dateien bleiben dort, wo sie sind, die Bibliothek katalogisiert sie und speichert alle mit Spacedrive verbundenen Daten.",
"create_new_tag": "Neuen Tag erstellen",
@ -98,6 +112,7 @@
"cut_object": "Objekt ausschneiden",
"cut_success": "Elemente ausschneiden",
"dark": "Dunkel",
"database": "Database",
"data_folder": "Datenordner",
"date_accessed": "Datum zugegriffen",
"date_created": "Datum erstellt",
@ -109,10 +124,13 @@
"debug_mode": "Debug-Modus",
"debug_mode_description": "Zusätzliche Debugging-Funktionen in der App aktivieren.",
"default": "Standard",
"desc": "Absteigend",
"descending": "Absteigend",
"random": "Zufällig",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6-Netzwerk",
"ipv6_description": "Ermögliche Peer-to-Peer-Kommunikation über IPv6-Netzwerke",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "ist",
"is_not": "ist nicht",
"default_settings": "Standardeinstellungen",
@ -126,6 +144,7 @@
"delete_location_description": "Durch das Löschen eines Standorts werden auch alle damit verbundenen Dateien aus der Spacedrive-Datenbank entfernt, die Dateien selbst werden nicht gelöscht.",
"delete_object": "Objekt löschen",
"delete_rule": "Regel löschen",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Tag löschen",
"delete_tag_description": "Bist du sicher, dass du diesen Tag löschen möchtest? Dies kann nicht rückgängig gemacht werden, und getaggte Dateien werden nicht mehr verlinkt.",
"delete_warning": "Dies wird deine {{type}} für immer löschen, wir haben noch keinen Papierkorb...",
@ -137,13 +156,19 @@
"dialog": "Dialog",
"dialog_shortcut_description": "Um Aktionen und Operationen auszuführen",
"direction": "Richtung",
"directory": "directory",
"directories": "directories",
"disabled": "Deaktiviert",
"disconnected": "Getrennt",
"display_formats": "Anzeigeformate",
"display_name": "Anzeigename",
"distance": "Distanz",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Fertig",
"dont_show_again": "Nicht wieder anzeigen",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Doppelklick-Aktion",
"download": "Herunterladen",
"downloading_update": "Update wird heruntergeladen",
@ -167,6 +192,7 @@
"encrypt_library": "Bibliothek verschlüsseln",
"encrypt_library_coming_soon": "Verschlüsselung der Bibliothek kommt bald",
"encrypt_library_description": "Verschlüsselung für diese Bibliothek aktivieren, dies wird nur die Spacedrive-Datenbank verschlüsseln, nicht die Dateien selbst.",
"encrypted": "Encrypted",
"ends_with": "endet mit",
"ephemeral_notice_browse": "Durchsuche deine Dateien und Ordner direkt von deinem Gerät.",
"ephemeral_notice_consider_indexing": "Erwäge, deine lokalen Standorte zu indizieren, für eine schnellere und effizientere Erkundung.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Konfiguriere deine Lösch-Einstellungen.",
"error": "Fehler",
"error_loading_original_file": "Fehler beim Laden der Originaldatei",
"error_message": "Error: {{error}}.",
"expand": "Erweitern",
"explorer": "Explorer",
"explorer_settings": "Explorer-Einstellungen",
@ -185,25 +212,32 @@
"export_library": "Bibliothek exportieren",
"export_library_coming_soon": "Bibliotheksexport kommt bald",
"export_library_description": "Diese Bibliothek in eine Datei exportieren.",
"executable": "Executable",
"extension": "Erweiterung",
"extensions": "Erweiterungen",
"extensions_description": "Installiere Erweiterungen, um die Funktionalität dieses Clients zu erweitern.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Aufgabe konnte nicht abgebrochen werden.",
"failed_to_clear_all_jobs": "Alle Aufgaben konnten nicht gelöscht werden.",
"failed_to_copy_file": "Fehler beim Kopieren der Datei",
"failed_to_copy_file_path": "Dateipfad konnte nicht kopiert werden",
"failed_to_cut_file": "Fehler beim Ausschneiden der Datei",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Update konnte nicht heruntergeladen werden",
"failed_to_duplicate_file": "Datei konnte nicht dupliziert werden",
"failed_to_generate_checksum": "Prüfsumme konnte nicht generiert werden",
"failed_to_generate_labels": "Labels konnten nicht generiert werden",
"failed_to_generate_thumbnails": "Vorschaubilder konnten nicht generiert werden",
"failed_to_load_tags": "Tags konnten nicht geladen werden",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Aufgabe konnte nicht pausiert werden.",
"failed_to_reindex_location": "Neuindizierung des Standorts fehlgeschlagen",
"failed_to_remove_file_from_recents": "Datei konnte nicht aus den letzten Dokumenten entfernt werden",
"failed_to_remove_job": "Aufgabe konnte nicht entfernt werden.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Standort konnte nicht erneut gescannt werden",
"failed_to_resume_job": "Aufgabe konnte nicht fortgesetzt werden.",
"failed_to_update_location_settings": "Standorteinstellungen konnten nicht aktualisiert werden",
@ -214,10 +248,17 @@
"feedback_login_description": "Die Anmeldung ermöglicht es uns, auf Ihr Feedback zu antworten",
"feedback_placeholder": "Ihr Feedback...",
"feedback_toast_error_message": "Beim Senden deines Feedbacks ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"file": "file",
"file_already_exist_in_this_location": "Die Datei existiert bereits an diesem Speicherort",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Dateiindizierungsregeln",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "Filter",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "Vorwärts",
"free_of": "frei von",
"from": "von",
@ -250,20 +291,29 @@
"hide_in_sidebar_description": "Verhindern, dass dieser Tag in der Seitenleiste der App angezeigt wird.",
"hide_location_from_view": "Standort und Inhalte aus der Ansicht ausblenden",
"home": "Startseite",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Symbolgröße",
"image": "Image",
"image_labeler_ai_model": "KI-Modell zur Bildetikettierung",
"image_labeler_ai_model_description": "Das Modell, das zur Erkennung von Objekten in Bildern verwendet wird. Größere Modelle sind genauer, aber langsamer.",
"import": "Importieren",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "Indiziert",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Standardmäßig fungiert eine Indizierungsregel als Ablehnungsliste, wodurch alle Dateien ausgeschlossen werden, die Deinen Kriterien entsprechen. Wenn diese Option aktiviert wird, verwandelt sie sich in eine Erlaubnisliste und lässt den Standort nur Dateien indizieren, die deinen spezifischen Regeln entsprechen.",
"indexer_rules": "Indizierungsregeln",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Indizierungsregeln ermöglichen es Ihnen, Pfade zu ignorieren, indem du Glob-Muster verwendest.",
"install": "Installieren",
"install_update": "Update installieren",
"installed": "Installiert",
"item": "item",
"item_size": "Elementgröße",
"item_with_count_one": "{{count}} artikel",
"item_with_count_other": "{{count}} artikel",
"items": "items",
"job_has_been_canceled": "Der Job wurde abgebrochen.",
"job_has_been_paused": "Der Job wurde pausiert.",
"job_has_been_removed": "Der Job wurde entfernt.",
@ -280,11 +330,15 @@
"keys": "Schlüssel",
"kilometers": "Kilometer",
"kind": "Typ",
"kind_one": "Typ",
"kind_other": "Typen",
"label": "Label",
"labels": "Labels",
"language": "Sprache",
"language_description": "Ändere die Sprache der Spacedrive-Benutzeroberfläche",
"learn_more": "Learn More",
"learn_more_about_telemetry": "Mehr über Telemetrie erfahren",
"less": "less",
"libraries": "Bibliotheken",
"libraries_description": "Die Datenbank enthält alle Bibliotheksdaten und Dateimetadaten.",
"library": "Bibliothek",
@ -295,6 +349,7 @@
"library_settings": "Bibliothekseinstellungen",
"library_settings_description": "Allgemeine Einstellungen in Bezug auf die aktuell aktive Bibliothek.",
"light": "Licht",
"link": "Link",
"list_view": "Listenansicht",
"list_view_notice_description": "Navigiere einfach durch Deine Dateien und Ordner mit der Listenansicht. Diese Ansicht zeigt Deine Dateien in einem einfachen, organisierten Listenformat an, sodass Du schnell die benötigten Dateien finden und darauf zugreifen können.",
"loading": "Laden",
@ -302,6 +357,8 @@
"local_locations": "Lokale Standorte",
"local_node": "Lokaler Knoten",
"location": "Standort",
"location_one": "Standort",
"location_other": "Standorte",
"location_connected_tooltip": "Der Standort wird auf Änderungen überwacht",
"location_disconnected_tooltip": "Die Position wird nicht auf Änderungen überwacht",
"location_display_name_info": "Der Name dieses Standorts, so wird er in der Seitenleiste angezeigt. Wird den eigentlichen Ordner auf der Festplatte nicht umbenennen.",
@ -329,6 +386,7 @@
"media_view_notice_description": "Entdecke deine Fotos und Videos leicht, die Medienansicht zeigt Resultate beginnend am aktuellen Standort einschließlich Unterordnern.",
"meet_contributors_behind_spacedrive": "Treffe die Mitwirkenden hinter Spacedrive",
"meet_title": "Treffe {{title}}",
"mesh": "Mesh",
"miles": "Meilen",
"mode": "Modus",
"modified": "Geändert",
@ -339,6 +397,7 @@
"move_files": "Dateien verschieben",
"move_forward_within_quick_preview": "Innerhalb der Schnellvorschau vorwärts gehen",
"move_to_trash": "Ab in den Müll",
"my_sick_location": "My sick location",
"name": "Name",
"navigate_back": "Zurück navigieren",
"navigate_backwards": "Rückwärts navigieren",
@ -352,6 +411,7 @@
"network": "Netzwerk",
"network_page_description": "Andere Spacedrive-Knoten in Deinem Netzwerk werden hier angezeigt, zusammen mit Deinem standardmäßigen Netzwerklaufwerken.",
"networking": "Netzwerk",
"networking_error": "Error starting up networking!",
"networking_port": "Netzwerk-Port",
"networking_port_description": "Der Port für das Peer-to-Peer-Netzwerk von Spacedrive zur Kommunikation. Du sollten dies deaktiviert lassen, es sei denn, Du haben eine restriktive Firewall. Nicht ins Internet freigeben!",
"new": "Neu",
@ -362,6 +422,7 @@
"new_tab": "Neuer Tab",
"new_tag": "Neuer Tag",
"new_update_available": "Neues Update verfügbar!",
"no_apps_available": "No apps available",
"no_favorite_items": "Keine Lieblingsartikel",
"no_items_found": "Keine Elemente gefunden",
"no_jobs": "Keine Aufgaben.",
@ -376,6 +437,7 @@
"nodes_description": "Verwalte die Knoten, die mit dieser Bibliothek verbunden sind. Ein Knoten ist eine Instanz von Spacedrives Backend, die auf einem Gerät oder Server läuft. Jeder Knoten führt eine Kopie der Datenbank und synchronisiert über Peer-to-Peer-Verbindungen in Echtzeit.",
"none": "Keine",
"normal": "Normal",
"note": "Note",
"not_you": "Nicht Du?",
"nothing_selected": "Nichts ausgewählt",
"number_of_passes": "Anzahl der Durchläufe",
@ -386,14 +448,17 @@
"open": "Öffnen",
"open_file": "Datei öffnen",
"open_in_new_tab": "In neuem Tab öffnen",
"open_logs": "Open Logs",
"open_new_location_once_added": "Neuen Standort öffnen, sobald hinzugefügt",
"open_new_tab": "Neuen Tab öffnen",
"open_object": "Objekt öffnen",
"open_object_from_quick_preview_in_native_file_manager": "Objekt aus der Schnellvorschau im nativen Dateimanager öffnen",
"open_settings": "Einstellungen öffnen",
"open_with": "Öffnen mit",
"opening_trash": "Opening Trash",
"or": "Oder",
"overview": "Übersicht",
"package": "Package",
"page": "Seite",
"page_shortcut_description": "Verschiedene Seiten in der App",
"pair": "Verbinden",
@ -404,16 +469,20 @@
"path": "Pfad",
"path_copied_to_clipboard_description": "Pfad für den Standort {{location}} wurde in die Zwischenablage kopiert.",
"path_copied_to_clipboard_title": "Pfad in Zwischenablage kopiert",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Pfade",
"pause": "Pausieren",
"peers": "Peers",
"people": "Personen",
"pin": "Stift",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Vorschau Medien",
"preview_media_bytes_description": "Die Gesamtgröße aller Vorschaumediendateien, z. B. Miniaturansichten.",
"privacy": "Privatsphäre",
"privacy_description": "Spacedrive ist für Datenschutz entwickelt, deshalb sind wir Open Source und \"local first\". Deshalb werden wir sehr deutlich machen, welche Daten mit uns geteilt werden.",
"quick_preview": "Schnellvorschau",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Schnellansicht",
"recent_jobs": "Aktuelle Aufgaben",
"recents": "Zuletzt verwendet",
@ -423,6 +492,7 @@
"regenerate_thumbs": "Vorschaubilder neu generieren",
"reindex": "Neu indizieren",
"reject": "Ablehnen",
"reject_files": "Reject files",
"reload": "Neu laden",
"remove": "Entfernen",
"remove_from_recents": "Aus den aktuellen Dokumenten entfernen",
@ -433,17 +503,24 @@
"rescan_directory": "Verzeichnis neu scannen",
"rescan_location": "Standort neu scannen",
"reset": "Zurücksetzen",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Ressourcen",
"restore": "Wiederherstellen",
"resume": "Fortsetzen",
"retry": "Erneut versuchen",
"reveal_in_native_file_manager": "Im nativen Dateimanager anzeigen",
"revel_in_browser": "Im {{browser}} anzeigen",
"rules": "Rules",
"running": "Läuft",
"save": "Speichern",
"save_changes": "Änderungen speichern",
"save_search": "Save Search",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Gespeicherte Suchen",
"screenshot": "Screenshot",
"search": "Suchen",
"search_extensions": "Erweiterungen suchen",
"search_for_files_and_actions": "Nach Dateien und Aktionen suchen...",
@ -451,7 +528,10 @@
"secure_delete": "Sicheres Löschen",
"security": "Sicherheit",
"security_description": "Halten deinen Client sicher.",
"see_more": "See more",
"see_less": "See less",
"send": "Senden",
"send_report": "Send Report",
"settings": "Einstellungen",
"setup": "Einrichten",
"share": "Teilen",
@ -499,12 +579,16 @@
"sync_with_library": "Mit Bibliothek synchronisieren",
"sync_with_library_description": "Wenn aktiviert, werden Deine Tastenkombinationen mit der Bibliothek synchronisiert, ansonsten gelten sie nur für diesen Client.",
"system": "System",
"tag": "Tag",
"tag_one": "Tag",
"tag_other": "Tags",
"tags": "Tags",
"tags_description": "Verwalte deine Tags.",
"tags_notice_message": "Diesem Tag sind keine Elemente zugewiesen.",
"telemetry_description": "Schalte EIN, um den Entwicklern detaillierte Nutzung- und Telemetriedaten zur Verfügung zu stellen, die die App verbessern helfen. Schalten AUS, um nur grundlegende Daten zu senden: Deinen Aktivitätsstatus, die App-Version, die Core-Version und die Plattform (z.B. Mobil, Web oder Desktop).",
"telemetry_title": "Zusätzliche Telemetrie- und Nutzungsdaten teilen",
"temperature": "Temperatur",
"text": "Text",
"text_file": "Textdatei",
"text_size": "Textgröße",
"thank_you_for_your_feedback": "Vielen Dank für Ihr Feedback!",
@ -538,9 +622,11 @@
"ui_animations": "UI-Animationen",
"ui_animations_description": "Dialoge und andere UI-Elemente werden animiert, wenn sie geöffnet und geschlossen werden.",
"unnamed_location": "Unbenannter Standort",
"unknown": "Unknown",
"update": "Aktualisieren",
"update_downloaded": "Update heruntergeladen. Starte Spacedrive neu, um diese zu installieren",
"updated_successfully": "Erfolgreich aktualisiert, Du verwendest jetzt die neuste Version {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "Verwendung",
"usage_description": "Deine Bibliotheksnutzung und Hardwareinformationen",
"vaccum": "Vakuum",
@ -548,10 +634,13 @@
"vaccum_library_description": "Packe deine Datenbank neu, um unnötigen Speicherplatz freizugeben.",
"value": "Wert",
"version": "Version {{version}}",
"video": "Video",
"video_preview_not_supported": "Videovorschau wird nicht unterstützt.",
"view_changes": "Änderungen anzeigen",
"want_to_do_this_later": "Möchtest du dies später erledigen?",
"web_page_archive": "Web Page Archive",
"website": "Webseite",
"widget": "Widget",
"with_descendants": "Mit Nachkommen",
"your_account": "Dein Konto",
"your_account_description": "Spacedrive-Kontobeschreibung.",
@ -559,4 +648,4 @@
"your_privacy": "Deine Privatsphäre",
"zoom_in": "Hereinzoomen",
"zoom_out": "Hinauszoomen"
}
}

File diff suppressed because it is too large Load diff

View file

@ -3,6 +3,7 @@
"about_vision_text": "Muchos de nosotros tenemos múltiples cuentas en la nube, discos que no tienen copias de seguridad y datos en riesgo de ser perdidos. Dependemos de servicios en la nube como Google Photos e iCloud, pero estamos limitados con una capacidad reducida y casi cero interoperabilidad entre servicios y sistemas operativos. Los álbumes de fotos no deberían estar atascados en un ecosistema de dispositivos o ser utilizados para datos publicitarios. Deberían ser independientes del SO, permanentes y de propiedad personal. Los datos que creamos son nuestro legado, que nos sobrevivirá mucho tiempo: la tecnología de código abierto es la única forma de asegurarnos de mantener el control absoluto sobre los datos que definen nuestras vidas, en una escala ilimitada.",
"about_vision_title": "Visión",
"accept": "Aceptar",
"accept_files": "Accept files",
"accessed": "Accedido",
"account": "Cuenta",
"actions": "Acciones",
@ -16,10 +17,16 @@
"add_location_tooltip": "Agregar ruta como una ubicación indexada",
"add_locations": "Agregar Ubicaciones",
"add_tag": "Agregar Etiqueta",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Configuración avanzada",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Todos los trabajos han sido eliminados.",
"alpha_release_description": "Estamos encantados de que pruebes Spacedrive, ahora en lanzamiento Alpha, mostrando nuevas funcionalidades emocionantes. Como con cualquier lanzamiento inicial, esta versión puede contener algunos errores. Amablemente solicitamos tu ayuda para informar cualquier problema que encuentres en nuestro canal de Discord. Tu valiosa retroalimentación contribuirá en gran medida a mejorar la experiencia de usuario.",
"alpha_release_title": "Lanzamiento Alpha",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Apariencia",
"appearance_description": "Cambia la apariencia de tu cliente.",
"apply": "Solicitar",
@ -28,14 +35,16 @@
"archive_info": "Extrae datos de la Biblioteca como un archivo, útil para preservar la estructura de carpetas de la Ubicación.",
"are_you_sure": "¿Estás seguro?",
"ask_spacedrive": "Pregúntale a SpaceDrive",
"asc": "Ascendente",
"ascending": "Ascendente",
"assign_tag": "Asignar etiqueta",
"audio": "Audio",
"audio_preview_not_supported": "La previsualización de audio no está soportada.",
"back": "Atrás",
"backups": "Copias de seguridad",
"backups_description": "Administra tus copias de seguridad de la base de datos de Spacedrive.",
"blur_effects": "Efectos de desenfoque",
"blur_effects_description": "Algunos componentes tendrán un efecto de desenfoque aplicado.",
"book": "book",
"cancel": "Cancelar",
"cancel_selection": "Cancelar selección",
"celcius": "Celsius",
@ -53,11 +62,15 @@
"cloud": "Nube",
"cloud_drives": "Unidades en la nube",
"clouds": "Nubes",
"code": "Code",
"collection": "Collection",
"color": "Color",
"coming_soon": "Próximamente",
"contains": "contiene",
"compress": "Comprimir",
"config": "Config",
"configure_location": "Configurar Ubicación",
"confirm": "Confirm",
"connect_cloud": "Conectar una nube",
"connect_cloud_description": "Conecta tus cuentas en la nube a Spacedrive.",
"connect_device": "Conectar un dispositivo",
@ -82,6 +95,7 @@
"create_folder_success": "Nueva carpeta creada: {{name}}",
"create_library": "Crear una Biblioteca",
"create_library_description": "Las bibliotecas son una base de datos segura, en el dispositivo. Tus archivos permanecen donde están, la Biblioteca los cataloga y almacena todos los datos relacionados con Spacedrive.",
"create_location": "Create Location",
"create_new_library": "Crear nueva biblioteca",
"create_new_library_description": "Las bibliotecas son una base de datos segura, en el dispositivo. Tus archivos permanecen donde están, la Biblioteca los cataloga y almacena todos los datos relacionados con Spacedrive.",
"create_new_tag": "Crear Nueva Etiqueta",
@ -98,6 +112,7 @@
"cut_object": "Cortar objeto",
"cut_success": "Elementos cortados",
"dark": "Oscuro",
"database": "Database",
"data_folder": "Carpeta de datos",
"date_accessed": "Fecha accesada",
"date_created": "fecha de creacion",
@ -109,12 +124,15 @@
"debug_mode": "Modo de depuración",
"debug_mode_description": "Habilitar funciones de depuración adicionales dentro de la aplicación.",
"default": "Predeterminado",
"desc": "Descendente",
"descending": "Descendente",
"random": "Aleatorio",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "redes IPv6",
"ipv6_description": "Permitir la comunicación entre pares mediante redes IPv6",
"is": "es",
"is_not": "no es",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "es",
"is_not": "no es",
"default_settings": "Configuración por defecto",
"delete": "Eliminar",
"delete_dialog_title": "Eliminar {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "Eliminar una ubicación también removerá todos los archivos asociados con ella de la base de datos de Spacedrive, los archivos mismos no serán eliminados.",
"delete_object": "Eliminar objeto",
"delete_rule": "Eliminar regla",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Eliminar Etiqueta",
"delete_tag_description": "¿Estás seguro de que quieres eliminar esta etiqueta? Esto no se puede deshacer y los archivos etiquetados serán desvinculados.",
"delete_warning": "Esto eliminará tu {{type}} para siempre, aún no tenemos papelera...",
@ -137,13 +156,19 @@
"dialog": "Diálogo",
"dialog_shortcut_description": "Para realizar acciones y operaciones",
"direction": "Dirección",
"directory": "directory",
"directories": "directories",
"disabled": "Deshabilitado",
"disconnected": "Desconectado",
"display_formats": "Formatos de visualización",
"display_name": "Nombre visible",
"distance": "Distancia",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Hecho",
"dont_show_again": "No mostrar de nuevo",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Acción de doble clic",
"download": "Descargar",
"downloading_update": "Descargando actualización",
@ -167,6 +192,7 @@
"encrypt_library": "Encriptar Biblioteca",
"encrypt_library_coming_soon": "Encriptación de biblioteca próximamente",
"encrypt_library_description": "Habilitar la encriptación para esta biblioteca, esto solo encriptará la base de datos de Spacedrive, no los archivos en sí.",
"encrypted": "Encrypted",
"ends_with": "termina con",
"ephemeral_notice_browse": "Explora tus archivos y carpetas directamente desde tu dispositivo.",
"ephemeral_notice_consider_indexing": "Considera indexar tus ubicaciones locales para una exploración más rápida y eficiente.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Configura tus ajustes de borrado.",
"error": "Error",
"error_loading_original_file": "Error cargando el archivo original",
"error_message": "Error: {{error}}.",
"expand": "Expandir",
"explorer": "Explorador",
"explorer_settings": "Configuración del explorador",
@ -185,25 +212,32 @@
"export_library": "Exportar Biblioteca",
"export_library_coming_soon": "Exportación de biblioteca próximamente",
"export_library_description": "Exporta esta biblioteca a un archivo.",
"executable": "Executable",
"extension": "Extensión",
"extensions": "Extensiones",
"extensions_description": "Instala extensiones para extender la funcionalidad de este cliente.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Error al cancelar el trabajo.",
"failed_to_clear_all_jobs": "Error al eliminar todos los trabajos.",
"failed_to_copy_file": "Error al copiar el archivo",
"failed_to_copy_file_path": "Error al copiar la ruta del archivo",
"failed_to_cut_file": "Error al cortar el archivo",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Error al descargar la actualización",
"failed_to_duplicate_file": "Error al duplicar el archivo",
"failed_to_generate_checksum": "Error al generar suma de verificación",
"failed_to_generate_labels": "Error al generar etiquetas",
"failed_to_generate_thumbnails": "Error al generar miniaturas",
"failed_to_load_tags": "Error al cargar etiquetas",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Error al pausar el trabajo.",
"failed_to_reindex_location": "Error al reindexar ubicación",
"failed_to_remove_file_from_recents": "Error al eliminar archivo de recientes",
"failed_to_remove_job": "Error al eliminar el trabajo.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Error al volver a escanear ubicación",
"failed_to_resume_job": "Error al reanudar el trabajo.",
"failed_to_update_location_settings": "Error al actualizar configuraciones de ubicación",
@ -214,10 +248,17 @@
"feedback_login_description": "Iniciar sesión nos permite responder a tu retroalimentación",
"feedback_placeholder": "Tu retroalimentación...",
"feedback_toast_error_message": "Hubo un error al enviar tu retroalimentación. Por favor, inténtalo de nuevo.",
"file": "file",
"file_already_exist_in_this_location": "El archivo ya existe en esta ubicación",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Reglas de indexación de archivos",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtro",
"filters": "Filtros",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "Adelante",
"free_of": "libre de",
"from": "libre de",
@ -250,21 +291,30 @@
"hide_in_sidebar_description": "Prevenir que esta etiqueta se muestre en la barra lateral de la aplicación.",
"hide_location_from_view": "Ocultar ubicación y contenido de la vista",
"home": "Inicio",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Tamaño del icono",
"image": "Image",
"image_labeler_ai_model": "Modelo AI de reconocimiento de etiquetas de imagen",
"image_labeler_ai_model_description": "El modelo utilizado para reconocer objetos en imágenes. Los modelos más grandes son más precisos pero más lentos.",
"import": "Importar",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "Indexado",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Por defecto, una regla de indexación funciona como una lista de Rechazo, resultando en la exclusión de cualquier archivo que coincida con sus criterios. Habilitar esta opción transformará en una lista de Permitir, permitiendo que la ubicación indexe solo archivos que cumplan con sus reglas especificadas.",
"indexer_rules": "Reglas de indexación",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Las reglas de indexación te permiten especificar rutas a ignorar usando comodines.",
"install": "Instalar",
"install_update": "Instalar Actualización",
"installed": "Instalado",
"item": "item",
"item_size": "Tamaño de elemento",
"item_with_count_one": "{{count}} artículo",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} artículos",
"items": "items",
"job_has_been_canceled": "El trabajo ha sido cancelado.",
"job_has_been_paused": "El trabajo ha sido pausado.",
"job_has_been_removed": "El trabajo ha sido eliminado.",
@ -281,11 +331,15 @@
"keys": "Claves",
"kilometers": "Kilómetros",
"kind": "Tipo",
"kind_one": "Tipo",
"kind_other": "Tipos",
"label": "Etiqueta",
"labels": "Etiquetas",
"language": "Idioma",
"language_description": "Cambiar el idioma de la interfaz de Spacedrive",
"learn_more": "Learn More",
"learn_more_about_telemetry": "Aprende más sobre la telemetría",
"less": "less",
"libraries": "Bibliotecas",
"libraries_description": "La base de datos contiene todos los datos de la biblioteca y metadatos de archivos.",
"library": "Biblioteca",
@ -296,6 +350,7 @@
"library_settings": "Configuraciones de la Biblioteca",
"library_settings_description": "Configuraciones generales relacionadas con la biblioteca activa actualmente.",
"light": "Luz",
"link": "Link",
"list_view": "Vista de Lista",
"list_view_notice_description": "Navega fácilmente a través de tus archivos y carpetas con la Vista de Lista. Esta vista muestra tus archivos en un formato de lista simple y organizado, permitiéndote localizar y acceder rápidamente a los archivos que necesitas.",
"loading": "Cargando",
@ -303,6 +358,8 @@
"local_locations": "Ubicaciones Locales",
"local_node": "Nodo Local",
"location": "Ubicación",
"location_one": "Ubicación",
"location_other": "Ubicaciones",
"location_connected_tooltip": "La ubicación está siendo vigilada en busca de cambios",
"location_disconnected_tooltip": "La ubicación no está siendo vigilada en busca de cambios",
"location_display_name_info": "El nombre de esta Ubicación, esto es lo que se mostrará en la barra lateral. No renombrará la carpeta real en el disco.",
@ -330,6 +387,7 @@
"media_view_notice_description": "Descubre fotos y videos fácilmente, la Vista de Medios mostrará resultados comenzando en la ubicación actual incluyendo subdirectorios.",
"meet_contributors_behind_spacedrive": "Conoce a los colaboradores detrás de Spacedrive",
"meet_title": "Conoce: {{title}}",
"mesh": "Mesh",
"miles": "Millas",
"mode": "Modo",
"modified": "Modificado",
@ -340,6 +398,7 @@
"move_files": "Mover Archivos",
"move_forward_within_quick_preview": "Avanzar dentro de la vista rápida",
"move_to_trash": "Mover a la papelera",
"my_sick_location": "My sick location",
"name": "Nombre",
"navigate_back": "Navegar hacia atrás",
"navigate_backwards": "Navegar hacia atrás",
@ -353,6 +412,7 @@
"network": "Red",
"network_page_description": "Otros nodos de Spacedrive en tu LAN aparecerán aquí, junto con tus montajes de red del sistema operativo por defecto.",
"networking": "Redes",
"networking_error": "Error starting up networking!",
"networking_port": "Puerto de Redes",
"networking_port_description": "El puerto para que la red peer-to-peer de Spacedrive se comunique. Deberías dejar esto deshabilitado a menos que tengas un firewall restrictivo. ¡No expongas al internet!",
"new": "Nuevo",
@ -363,6 +423,7 @@
"new_tab": "Nueva pestaña",
"new_tag": "Nueva etiqueta",
"new_update_available": "¡Nueva actualización disponible!",
"no_apps_available": "No apps available",
"no_favorite_items": "No hay artículos favoritos",
"no_items_found": "No se encontraron artículos",
"no_jobs": "No hay trabajos.",
@ -377,6 +438,7 @@
"nodes_description": "Administra los nodos conectados a esta biblioteca. Un nodo es una instancia del backend de Spacedrive, ejecutándose en un dispositivo o servidor. Cada nodo lleva una copia de la base de datos y se sincroniza mediante conexiones peer-to-peer en tiempo real.",
"none": "Ninguno",
"normal": "Normal",
"note": "Note",
"not_you": "¿No eres tú?",
"nothing_selected": "Nothing selected",
"number_of_passes": "# de pasadas",
@ -387,14 +449,17 @@
"open": "Abrir",
"open_file": "Abrir Archivo",
"open_in_new_tab": "Abrir en una pestaña nueva",
"open_logs": "Open Logs",
"open_new_location_once_added": "Abrir nueva ubicación una vez agregada",
"open_new_tab": "Abrir nueva pestaña",
"open_object": "Abrir objeto",
"open_object_from_quick_preview_in_native_file_manager": "Abrir objeto desde la vista rápida en el administrador de archivos nativo",
"open_settings": "Abrir Configuraciones",
"open_with": "Abrir con",
"opening_trash": "Opening Trash",
"or": "O",
"overview": "Resumen",
"package": "Package",
"page": "Página",
"page_shortcut_description": "Diferentes páginas en la aplicación",
"pair": "Emparejar",
@ -405,16 +470,20 @@
"path": "Ruta",
"path_copied_to_clipboard_description": "Ruta para la ubicación {{location}} copiada al portapapeles.",
"path_copied_to_clipboard_title": "Ruta copiada al portapapeles",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Caminos",
"pause": "Pausar",
"peers": "Pares",
"people": "Gente",
"pin": "Alfiler",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Vista previa de los medios",
"preview_media_bytes_description": "Tl tamaño total de todos los archivos multimedia de previsualización, como las miniaturas.",
"privacy": "Privacidad",
"privacy_description": "Spacedrive está construido para la privacidad, es por eso que somos de código abierto y primero locales. Por eso, haremos muy claro qué datos se comparten con nosotros.",
"quick_preview": "Vista rápida",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Vista rápida",
"recent_jobs": "Trabajos recientes",
"recents": "Recientes",
@ -424,6 +493,7 @@
"regenerate_thumbs": "Regenerar Miniaturas",
"reindex": "Reindexar",
"reject": "Rechazar",
"reject_files": "Reject files",
"reload": "Recargar",
"remove": "Eliminar",
"remove_from_recents": "Eliminar de Recientes",
@ -434,17 +504,24 @@
"rescan_directory": "Reescanear Directorio",
"rescan_location": "Reescanear Ubicación",
"reset": "Restablecer",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Recursos",
"restore": "Restaurar",
"resume": "Reanudar",
"retry": "Reintentar",
"reveal_in_native_file_manager": "Revelar en el administrador de archivos nativo",
"revel_in_browser": "Mostrar en {{browser}}",
"rules": "Rules",
"running": "Ejecutando",
"save": "Guardar",
"save_changes": "Guardar Cambios",
"save_search": "Save Search",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Búsquedas Guardadas",
"screenshot": "Screenshot",
"search": "Buscar",
"search_extensions": "Buscar extensiones",
"search_for_files_and_actions": "Buscar archivos y acciones...",
@ -452,7 +529,10 @@
"secure_delete": "Borrado seguro",
"security": "Seguridad",
"security_description": "Mantén tu cliente seguro.",
"see_more": "See more",
"see_less": "See less",
"send": "Enviar",
"send_report": "Send Report",
"settings": "Configuraciones",
"setup": "Configurar",
"share": "Compartir",
@ -500,12 +580,16 @@
"sync_with_library": "Sincronizar con la Biblioteca",
"sync_with_library_description": "Si se habilita, tus atajos de teclado se sincronizarán con la biblioteca, de lo contrario solo se aplicarán a este cliente.",
"system": "Sistema",
"tag": "Etiqueta",
"tag_one": "Etiqueta",
"tag_other": "Etiquetas",
"tags": "Etiquetas",
"tags_description": "Administra tus etiquetas.",
"tags_notice_message": "No hay elementos asignados a esta etiqueta.",
"telemetry_description": "Activa para proporcionar a los desarrolladores datos detallados de uso y telemetría para mejorar la aplicación. Desactiva para enviar solo datos básicos: tu estado de actividad, versión de la aplicación, versión central y plataforma (por ejemplo, móvil, web o escritorio).",
"telemetry_title": "Compartir datos adicionales de telemetría y uso",
"temperature": "Temperatura",
"text": "Text",
"text_file": "Archivo de texto",
"text_size": "Tamaño del texto",
"thank_you_for_your_feedback": "¡Gracias por tu retroalimentación!",
@ -539,9 +623,11 @@
"ui_animations": "Animaciones de la UI",
"ui_animations_description": "Los diálogos y otros elementos de la UI se animarán al abrirse y cerrarse.",
"unnamed_location": "Ubicación sin nombre",
"unknown": "Unknown",
"update": "Actualizar",
"update_downloaded": "Actualización descargada. Reinicia Spacedrive para instalar",
"updated_successfully": "Actualizado correctamente, estás en la versión {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "Uso",
"usage_description": "Tu uso de la biblioteca e información del hardware",
"vaccum": "vacío",
@ -549,10 +635,13 @@
"vaccum_library_description": "Vuelva a empaquetar su base de datos para liberar espacio innecesario.",
"value": "Valor",
"version": "Versión {{version}}",
"video": "Video",
"video_preview_not_supported": "La vista previa de video no es soportada.",
"view_changes": "Ver cambios",
"want_to_do_this_later": "¿Quieres hacer esto más tarde?",
"web_page_archive": "Web Page Archive",
"website": "Sitio web",
"widget": "Widget",
"with_descendants": "Con descendientes",
"your_account": "Tu cuenta",
"your_account_description": "Cuenta de Spacedrive e información.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "Beaucoup d'entre nous ont plusieurs comptes cloud, des disques qui ne sont pas sauvegardés et des données à risque de perte. Nous dépendons de services cloud comme Google Photos et iCloud, mais sommes enfermés avec une capacité limitée et presque zéro interopérabilité entre les services et les systèmes d'exploitation. Les albums photo ne devraient pas être coincés dans un écosystème d'appareils, ou récoltés pour des données publicitaires. Ils devraient être indépendants du système d'exploitation, permanents et personnels. Les données que nous créons sont notre héritage, qui nous survivra longtemps - la technologie open source est le seul moyen d'assurer que nous conservons un contrôle absolu sur les données qui définissent nos vies, à une échelle illimitée.",
"about_vision_title": "Vision",
"accept": "Accepter",
"accept_files": "Accept files",
"accessed": "Accédé",
"account": "Compte",
"actions": "Actions",
@ -16,10 +17,16 @@
"add_location_tooltip": "Ajouter le chemin comme emplacement indexé",
"add_locations": "Ajouter des emplacements",
"add_tag": "Ajouter une étiquette",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Paramètres avancés",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Tous les travaux ont été annulés.",
"alpha_release_description": "Nous sommes ravis que vous essayiez Spacedrive, maintenant en version Alpha, présentant de nouvelles fonctionnalités excitantes. Comme pour toute première version, cette version peut contenir des bugs. Nous vous demandons gentiment votre aide pour signaler tout problème rencontré sur notre chaîne Discord. Vos précieux retours contribueront grandement à améliorer l'expérience utilisateur.",
"alpha_release_title": "Version Alpha",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Apparence",
"appearance_description": "Changez l'apparence de votre client.",
"apply": "Appliquer",
@ -28,14 +35,16 @@
"archive_info": "Extrayez les données de la bibliothèque sous forme d'archive, utile pour préserver la structure des dossiers de l'emplacement.",
"are_you_sure": "Êtes-vous sûr ?",
"ask_spacedrive": "Demandez à Spacedrive",
"asc": "Ascendante",
"ascending": "Ascendante",
"assign_tag": "Attribuer une étiquette",
"audio": "Audio",
"audio_preview_not_supported": "L'aperçu audio n'est pas pris en charge.",
"back": "Retour",
"backups": "Sauvegardes",
"backups_description": "Gérez les sauvegardes de votre base de données Spacedrive.",
"blur_effects": "Effets de flou",
"blur_effects_description": "Certains composants se verront appliquer un effet de flou.",
"book": "book",
"cancel": "Annuler",
"cancel_selection": "Annuler la sélection",
"celcius": "Celsius",
@ -53,11 +62,15 @@
"cloud": "Nuage",
"cloud_drives": "Lecteurs en nuage",
"clouds": "Nuages",
"code": "Code",
"collection": "Collection",
"color": "Couleur",
"coming_soon": "Bientôt",
"contains": "contient",
"compress": "Compresser",
"config": "Config",
"configure_location": "Configurer l'emplacement",
"confirm": "Confirm",
"connect_cloud": "Connecter un nuage",
"connect_cloud_description": "Connectez vos comptes cloud à Spacedrive.",
"connect_device": "Connecter un appareil",
@ -82,6 +95,7 @@
"create_folder_success": "Nouveau dossier créé : {{name}}",
"create_library": "Créer une bibliothèque",
"create_library_description": "Les bibliothèques sont une base de données sécurisée, sur l'appareil. Vos fichiers restent où ils sont, la bibliothèque les catalogue et stocke toutes les données liées à Spacedrive.",
"create_location": "Create Location",
"create_new_library": "Créer une nouvelle bibliothèque",
"create_new_library_description": "Les bibliothèques sont une base de données sécurisée, sur l'appareil. Vos fichiers restent où ils sont, la bibliothèque les catalogue et stocke toutes les données liées à Spacedrive.",
"create_new_tag": "Créer une nouvelle étiquette",
@ -98,6 +112,7 @@
"cut_object": "Couper l'objet",
"cut_success": "Éléments coupés",
"dark": "Sombre",
"database": "Database",
"data_folder": "Dossier de données",
"date_accessed": "Date d'accès",
"date_created": "date créée",
@ -109,12 +124,15 @@
"debug_mode": "Mode débogage",
"debug_mode_description": "Activez des fonctionnalités de débogage supplémentaires dans l'application.",
"default": "Défaut",
"desc": "Descente",
"descending": "Descente",
"random": "Aléatoire",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "Mise en réseau IPv6",
"ipv6_description": "Autoriser la communication peer-to-peer à l'aide du réseau IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "est",
"is_not": "n'est pas",
"is_not": "n'est pas",
"default_settings": "Paramètres par défaut",
"delete": "Supprimer",
"delete_dialog_title": "Supprimer {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "Supprimer un emplacement supprimera également tous les fichiers associés de la base de données Spacedrive, les fichiers eux-mêmes ne seront pas supprimés.",
"delete_object": "Supprimer l'objet",
"delete_rule": "Supprimer la règle",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Supprimer l'étiquette",
"delete_tag_description": "Êtes-vous sûr de vouloir supprimer cette étiquette ? Cela ne peut pas être annulé et les fichiers étiquetés seront dissociés.",
"delete_warning": "Ceci supprimera votre {{type}} pour toujours, nous n'avons pas encore de corbeille...",
@ -137,13 +156,19 @@
"dialog": "Dialogue",
"dialog_shortcut_description": "Pour effectuer des actions et des opérations",
"direction": "Direction",
"directory": "directory",
"directories": "directories",
"disabled": "Désactivé",
"disconnected": "Débranché",
"display_formats": "Formats d'affichage",
"display_name": "Nom affiché",
"distance": "Distance",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Terminé",
"dont_show_again": "Ne plus afficher",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Action double clic",
"download": "Télécharger",
"downloading_update": "Téléchargement de la mise à jour",
@ -167,6 +192,7 @@
"encrypt_library": "Chiffrer la bibliothèque",
"encrypt_library_coming_soon": "Le chiffrement de la bibliothèque arrive bientôt",
"encrypt_library_description": "Activez le chiffrement pour cette bibliothèque, cela ne chiffrera que la base de données Spacedrive, pas les fichiers eux-mêmes.",
"encrypted": "Encrypted",
"ends_with": "s'achève par",
"ephemeral_notice_browse": "Parcourez vos fichiers et dossiers directement depuis votre appareil.",
"ephemeral_notice_consider_indexing": "Envisagez d'indexer vos emplacements locaux pour une exploration plus rapide et plus efficace.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Configurez vos paramètres d'effacement.",
"error": "Erreur",
"error_loading_original_file": "Erreur lors du chargement du fichier original",
"error_message": "Error: {{error}}.",
"expand": "Étendre",
"explorer": "Explorateur",
"explorer_settings": "Paramètres de l'explorateur",
@ -185,25 +212,32 @@
"export_library": "Exporter la bibliothèque",
"export_library_coming_soon": "L'exportation de la bibliothèque arrivera bientôt",
"export_library_description": "Exporter cette bibliothèque dans un fichier.",
"executable": "Executable",
"extension": "Extension",
"extensions": "Extensions",
"extensions_description": "Installez des extensions pour étendre la fonctionnalité de ce client.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Échec de l'annulation du travail.",
"failed_to_clear_all_jobs": "Échec de l'effacement de tous les travaux.",
"failed_to_copy_file": "Échec de la copie du fichier",
"failed_to_copy_file_path": "Échec de la copie du chemin du fichier",
"failed_to_cut_file": "Échec de la découpe du fichier",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Échec du téléchargement de la mise à jour",
"failed_to_duplicate_file": "Échec de la duplication du fichier",
"failed_to_generate_checksum": "Échec de la génération de la somme de contrôle",
"failed_to_generate_labels": "Échec de la génération des étiquettes",
"failed_to_generate_thumbnails": "Échec de la génération des vignettes",
"failed_to_load_tags": "Échec du chargement des étiquettes",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Échec de la mise en pause du travail.",
"failed_to_reindex_location": "Échec de la réindexation de l'emplacement",
"failed_to_remove_file_from_recents": "Échec de la suppression du fichier des éléments récents",
"failed_to_remove_job": "Échec de la suppression du travail.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Échec de la nouvelle analyse de l'emplacement",
"failed_to_resume_job": "Échec de la reprise du travail.",
"failed_to_update_location_settings": "Échec de la mise à jour des paramètres de l'emplacement",
@ -214,10 +248,17 @@
"feedback_login_description": "La connexion nous permet de répondre à votre retour d'information",
"feedback_placeholder": "Votre retour d'information...",
"feedback_toast_error_message": "Une erreur s'est produite lors de l'envoi de votre retour d'information. Veuillez réessayer.",
"file": "file",
"file_already_exist_in_this_location": "Le fichier existe déjà à cet emplacement",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Règles d'indexation des fichiers",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtre",
"filters": "Filtres",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "Avancer",
"free_of": "libre de",
"from": "de",
@ -250,21 +291,30 @@
"hide_in_sidebar_description": "Empêcher cette étiquette de s'afficher dans la barre latérale de l'application.",
"hide_location_from_view": "Masquer l'emplacement et le contenu de la vue",
"home": "Accueil",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Taille de l'icône",
"image": "Image",
"image_labeler_ai_model": "Modèle d'IA de reconnaissance d'étiquettes d'image",
"image_labeler_ai_model_description": "Le modèle utilisé pour reconnaître les objets dans les images. Les modèles plus grands sont plus précis mais plus lents.",
"import": "Importer",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "Indexé",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Par défaut, une règle d'indexeur fonctionne comme une liste de rejet, entraînant l'exclusion de tous les fichiers qui correspondent à ses critères. Activer cette option la transformera en une liste d'autorisation, permettant à l'emplacement d'indexer uniquement les fichiers qui répondent à ses règles spécifiées.",
"indexer_rules": "Règles de l'indexeur",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Les règles de l'indexeur vous permettent de spécifier des chemins à ignorer en utilisant des glob patterns.",
"install": "Installer",
"install_update": "Installer la mise à jour",
"installed": "Installé",
"item": "item",
"item_size": "Taille de l'élément",
"item_with_count_one": "{{count}} article",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} articles",
"items": "items",
"job_has_been_canceled": "Le travail a été annulé.",
"job_has_been_paused": "Le travail a été mis en pause.",
"job_has_been_removed": "Le travail a été supprimé.",
@ -281,11 +331,15 @@
"keys": "Clés",
"kilometers": "Kilomètres",
"kind": "Type",
"kind_one": "Type",
"kind_other": "Types",
"label": "Étiquette",
"labels": "Étiquettes",
"language": "Langue",
"language_description": "Changer la langue de l'interface Spacedrive",
"learn_more": "Learn More",
"learn_more_about_telemetry": "En savoir plus sur la télémesure",
"less": "less",
"libraries": "Bibliothèques",
"libraries_description": "La base de données contient toutes les données de la bibliothèque et les métadonnées des fichiers.",
"library": "Bibliothèque",
@ -296,13 +350,16 @@
"library_settings": "Paramètres de la bibliothèque",
"library_settings_description": "Paramètres généraux liés à la bibliothèque actuellement active.",
"light": "Lumière",
"link": "Link",
"list_view": "Vue en liste",
"list_view_notice_description": "Naviguez facilement à travers vos fichiers et dossiers avec la vue en liste. Cette vue affiche vos fichiers dans un format de liste simple et organisé, vous permettant de localiser et d'accéder rapidement aux fichiers dont vous avez besoin.",
"loading": "Chargement",
"local": "Local",
"local_locations": "Emplacements locaux",
"local_node": "Nœud local",
"location": "Location",
"location": "Localisation",
"location_one": "Localisation",
"location_other": "Localisation",
"location_connected_tooltip": "L'emplacement est surveillé pour les changements",
"location_disconnected_tooltip": "L'emplacement n'est pas surveillé pour les changements",
"location_display_name_info": "Le nom de cet emplacement, c'est ce qui sera affiché dans la barre latérale. Ne renommera pas le dossier réel sur le disque.",
@ -330,6 +387,7 @@
"media_view_notice_description": "Découvrez facilement les photos et vidéos, la vue média affichera les résultats en commençant par l'emplacement actuel, y compris les sous-répertoires.",
"meet_contributors_behind_spacedrive": "Rencontrez les contributeurs derrière Spacedrive",
"meet_title": "Rencontrer {{title}}",
"mesh": "Mesh",
"miles": "Miles",
"mode": "Mode",
"modified": "Modifié",
@ -340,6 +398,7 @@
"move_files": "Déplacer les fichiers",
"move_forward_within_quick_preview": "Avancer dans l'aperçu rapide",
"move_to_trash": "Mettre à la corbeille",
"my_sick_location": "My sick location",
"name": "Nom",
"navigate_back": "Naviguer en arrière",
"navigate_backwards": "Naviguer vers l'arrière",
@ -353,6 +412,7 @@
"network": "Réseau",
"network_page_description": "Les autres nœuds Spacedrive de votre LAN apparaîtront ici, ainsi que vos montages réseau par défaut du système d'exploitation.",
"networking": "Réseautage",
"networking_error": "Error starting up networking!",
"networking_port": "Port réseau",
"networking_port_description": "Le port pour la communication en peer-to-peer de Spacedrive. Vous devriez laisser ceci désactivé à moins que vous n'ayez un pare-feu restrictif. Ne pas exposer à internet !",
"new": "Nouveau",
@ -363,6 +423,7 @@
"new_tab": "Nouvel onglet",
"new_tag": "Nouvelle étiquette",
"new_update_available": "Nouvelle mise à jour disponible !",
"no_apps_available": "No apps available",
"no_favorite_items": "Aucun article favori",
"no_items_found": "Aucun élément trouvé",
"no_jobs": "Aucun travail.",
@ -377,6 +438,7 @@
"nodes_description": "Gérez les nœuds connectés à cette bibliothèque. Un nœud est une instance du backend de Spacedrive, s'exécutant sur un appareil ou un serveur. Chaque nœud porte une copie de la base de données et se synchronise via des connexions peer-to-peer en temps réel.",
"none": "Aucun",
"normal": "Normal",
"note": "Note",
"not_you": "Pas vous ?",
"nothing_selected": "Nothing selected",
"number_of_passes": "Nombre de passes",
@ -387,14 +449,17 @@
"open": "Ouvrir",
"open_file": "Ouvrir le fichier",
"open_in_new_tab": "Ouvrir dans un nouvel onglet",
"open_logs": "Open Logs",
"open_new_location_once_added": "Ouvrir le nouvel emplacement une fois ajouté",
"open_new_tab": "Ouvrir un nouvel onglet",
"open_object": "Ouvrir l'objet",
"open_object_from_quick_preview_in_native_file_manager": "Ouvrir l'objet depuis l'aperçu rapide dans le gestionnaire de fichiers natif",
"open_settings": "Ouvrir les paramètres",
"open_with": "Ouvrir avec",
"opening_trash": "Opening Trash",
"or": "OU",
"overview": "Aperçu",
"package": "Package",
"page": "Page",
"page_shortcut_description": "Différentes pages de l'application",
"pair": "Associer",
@ -405,16 +470,20 @@
"path": "Chemin",
"path_copied_to_clipboard_description": "Chemin pour l'emplacement {{location}} copié dans le presse-papiers.",
"path_copied_to_clipboard_title": "Chemin copié dans le presse-papiers",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Chemins",
"pause": "Pause",
"peers": "Pairs",
"people": "Personnes",
"pin": "Épingle",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Prévisualisation des médias",
"preview_media_bytes_description": "Taille totale de tous les fichiers multimédias de prévisualisation, tels que les vignettes.",
"privacy": "Confidentialité",
"privacy_description": "Spacedrive est conçu pour la confidentialité, c'est pourquoi nous sommes open source et local d'abord. Nous serons donc très clairs sur les données partagées avec nous.",
"quick_preview": "Aperçu rapide",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Vue rapide",
"recent_jobs": "Travaux récents",
"recents": "Récents",
@ -424,6 +493,7 @@
"regenerate_thumbs": "Régénérer les miniatures",
"reindex": "Réindexer",
"reject": "Rejeter",
"reject_files": "Reject files",
"reload": "Recharger",
"remove": "Retirer",
"remove_from_recents": "Retirer des récents",
@ -434,17 +504,24 @@
"rescan_directory": "Réanalyser le répertoire",
"rescan_location": "Réanalyser l'emplacement",
"reset": "Réinitialiser",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Ressources",
"restore": "Restaurer",
"resume": "Reprendre",
"retry": "Réessayer",
"reveal_in_native_file_manager": "Révéler dans le gestionnaire de fichiers natif",
"revel_in_browser": "Révéler dans {{browser}}",
"rules": "Rules",
"running": "En cours",
"save": "Sauvegarder",
"save_changes": "Sauvegarder les modifications",
"save_search": "Enregistrer la recherche",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Recherches enregistrées",
"screenshot": "Screenshot",
"search": "Recherche",
"search_extensions": "Rechercher des extensions",
"search_for_files_and_actions": "Rechercher des fichiers et des actions...",
@ -452,7 +529,10 @@
"secure_delete": "Suppression sécurisée",
"security": "Sécurité",
"security_description": "Gardez votre client en sécurité.",
"see_more": "See more",
"see_less": "See less",
"send": "Envoyer",
"send_report": "Send Report",
"settings": "Paramètres",
"setup": "Configuration",
"share": "Partager",
@ -500,12 +580,15 @@
"sync_with_library": "Synchroniser avec la bibliothèque",
"sync_with_library_description": "Si activé, vos raccourcis seront synchronisés avec la bibliothèque, sinon ils s'appliqueront uniquement à ce client.",
"system": "Système",
"tags": "Étiquettes",
"tag": "Étiquette",
"tag_one": "Étiquette",
"tag_other": "Étiquettes",
"tags_description": "Gérer vos étiquettes.",
"tags_notice_message": "Aucun élément attribué à cette balise.",
"telemetry_description": "Activez pour fournir aux développeurs des données détaillées d'utilisation et de télémesure afin d'améliorer l'application. Désactivez pour n'envoyer que les données de base : votre statut d'activité, la version de l'application, la version du noyau et la plateforme (par exemple, mobile, web ou ordinateur de bureau).",
"telemetry_title": "Partager des données de télémesure et d'utilisation supplémentaires",
"temperature": "Température",
"text": "Text",
"text_file": "Fichier texte",
"text_size": "Taille du texte",
"thank_you_for_your_feedback": "Merci pour votre retour d'information !",
@ -539,9 +622,11 @@
"ui_animations": "Animations de l'interface",
"ui_animations_description": "Les dialogues et autres éléments d'interface animeront lors de l'ouverture et de la fermeture.",
"unnamed_location": "Emplacement sans nom",
"unknown": "Unknown",
"update": "Mettre à jour",
"update_downloaded": "Mise à jour téléchargée. Redémarrez Spacedrive pour installer",
"updated_successfully": "Mise à jour réussie, vous êtes en version {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "Utilisation",
"usage_description": "Votre utilisation de la bibliothèque et les informations matérielles",
"vaccum": "Vide",
@ -549,10 +634,13 @@
"vaccum_library_description": "Remballez votre base de données pour libérer de l'espace inutile.",
"value": "Valeur",
"version": "Version {{version}}",
"video": "Video",
"video_preview_not_supported": "L'aperçu vidéo n'est pas pris en charge.",
"view_changes": "Voir les changements",
"want_to_do_this_later": "Vous voulez faire ça plus tard ?",
"web_page_archive": "Web Page Archive",
"website": "Site web",
"widget": "Widget",
"with_descendants": "Avec descendants",
"your_account": "Votre compte",
"your_account_description": "Compte et informations Spacedrive.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "Molti di noi hanno più account cloud, dischi di cui non è stato eseguito il backup e dati a rischio di essere persi. Dipendiamo da servizi cloud come Google Photos e iCloud, che sono limitati dalla loro capacità e scarsissima interoperabilità tra servizi e sistemi operativi. Gli album fotografici non dovrebbero essere bloccati in un ecosistema di dispositivi, o essere usati per raccogliere dati. Dovrebbero essere agnostici dal sistema operativo, e detenuti permanentemente e personalmente. I dati che creiamo sono la nostra eredità, che sopravviverà molto più a lungo di noi. La tecnologia open source è l'unico modo per assicurarci di conservare il controllo assoluto sui dati che definisce le nostre vite, a scala illimitata.",
"about_vision_title": "Visione",
"accept": "Accetta",
"accept_files": "Accept files",
"accessed": "Aperto",
"account": "Account",
"actions": "Azioni",
@ -16,10 +17,16 @@
"add_location_tooltip": "Aggiungi percorso come posizione indicizzata",
"add_locations": "Aggiungi Percorso",
"add_tag": "Aggiungi Tag",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Impostazioni avanzate",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Tutti i lavori sono stati cancellati.",
"alpha_release_description": "Siamo molto lieti che stiate provando Spacedrive, ora in versione Alpha, che presenta nuove entusiasmanti funzionalità. Come ogni rilascio iniziale, questa versione potrebbe contenere alcuni bug. Vi chiediamo gentilmente aiuto nel segnalare qualsiasi problema che incontrerete nel nostro canale Discord. Il vostro prezioso feedback contribuirà notevolmente a migliorare l'esperienza utente.",
"alpha_release_title": "Versione Alpha",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Aspetto",
"appearance_description": "Cambia l'aspetto del tuo client.",
"apply": "Applicare",
@ -28,14 +35,16 @@
"archive_info": "Estrai dati dalla Libreria come archivio, utile per preservare la struttura della cartella Posizioni.",
"are_you_sure": "Sei sicuro?",
"ask_spacedrive": "Chiedi a Spacedrive",
"asc": "Ascendente",
"ascending": "Ascendente",
"assign_tag": "Assegna tag",
"audio": "Audio",
"audio_preview_not_supported": "L'anteprima audio non è disponibile.",
"back": "Indietro",
"backups": "Backups",
"backups_description": "Gestisci i tuoi backup del database di Spacedrive.",
"blur_effects": "Effetti di sfocatura",
"blur_effects_description": "Alcuni componenti avranno un effetto di sfocatura applicato ad essi.",
"book": "book",
"cancel": "Annulla",
"cancel_selection": "Annulla selezione",
"celcius": "Celsius",
@ -53,11 +62,15 @@
"cloud": "Cloud",
"cloud_drives": "Unità cloud",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Colore",
"coming_soon": "In arrivo prossimamente",
"contains": "contiene",
"compress": "Comprimi",
"config": "Config",
"configure_location": "Configura posizione",
"confirm": "Confirm",
"connect_cloud": "Collegare un cloud",
"connect_cloud_description": "Collegate i vostri account cloud a Spacedrive.",
"connect_device": "Collegare un dispositivo",
@ -82,6 +95,7 @@
"create_folder_success": "Creata una nuova cartella: {{name}}",
"create_library": "Crea una libreria",
"create_library_description": "Le librerie sono un database sicuro sul dispositivo. I tuoi file rimangono dove sono, la Libreria li cataloga e memorizza tutti i dati relativi a Spacedrive",
"create_location": "Create Location",
"create_new_library": "Crea una nuova Libreria",
"create_new_library_description": "Le librerie sono un database sicuro sul dispositivo. I tuoi file rimangono dove sono, la Libreria li cataloga e memorizza tutti i dati relativi a Spacedrive",
"create_new_tag": "Crea un nuovo Tag",
@ -98,6 +112,7 @@
"cut_object": "Taglia oggetto",
"cut_success": "Articoli tagliati",
"dark": "Scuro",
"database": "Database",
"data_folder": "Cartella dati",
"date_accessed": "Data di accesso",
"date_created": "data di creazione",
@ -109,12 +124,15 @@
"debug_mode": "Modalità debug",
"debug_mode_description": "Abilita funzionalità di debug aggiuntive all'interno dell'app.",
"default": "Predefinito",
"desc": "In discesa",
"descending": "In discesa",
"random": "Casuale",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "Rete IPv6",
"ipv6_description": "Consenti la comunicazione peer-to-peer utilizzando la rete IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "è",
"is_not": "non è",
"is_not": "non è",
"default_settings": "Impostazioni predefinite",
"delete": "Elimina",
"delete_dialog_title": "Elimina {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "Eliminare una posizione eliminerà anche tutti i file associati ad essa dal database di Spacedrive, i file stessi non saranno eliminati.",
"delete_object": "Elimina oggetto",
"delete_rule": "Elimina regola",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Elimina Tag",
"delete_tag_description": "Sei sicuro di voler cancellare questa etichetta? Questa operazione non può essere annullata e i file etichettati verranno scollegati.",
"delete_warning": "stai per eliminare il tuo {{type}} per sempre, non abbiamo ancora un cestino...",
@ -137,13 +156,19 @@
"dialog": "Finestra di dialogo",
"dialog_shortcut_description": "Per eseguire azioni e operazioni",
"direction": "Direzione",
"directory": "directory",
"directories": "directories",
"disabled": "Disabilitato",
"disconnected": "Disconnesso",
"display_formats": "Formati di visualizzazione",
"display_name": "Nome da visualizzare",
"distance": "Distanza",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Completato",
"dont_show_again": "Non mostrare di nuovo",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Azione doppio click",
"download": "Scaricati",
"downloading_update": "Download dell'aggiornamento",
@ -167,6 +192,7 @@
"encrypt_library": "Crittografa la Libreria",
"encrypt_library_coming_soon": "La crittografia della libreria arriverà prossimamente",
"encrypt_library_description": "Abilita la crittografia per questa libreria, questo cifrerà solo il database di Spacedrive, non i file stessi.",
"encrypted": "Encrypted",
"ends_with": "ends with",
"ephemeral_notice_browse": "Sfoglia i tuoi file e cartelle direttamente dal tuo dispositivo.",
"ephemeral_notice_consider_indexing": "Prendi in considerazione l'indicizzazione delle tue posizioni locali per un'esplorazione più rapida ed efficiente.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Configura le impostazioni di eliminazione.",
"error": "Errore",
"error_loading_original_file": "Errore durante il caricamento del file originale",
"error_message": "Error: {{error}}.",
"expand": "Espandi",
"explorer": "Explorer",
"explorer_settings": "Impostazioni di Esplora risorse",
@ -185,25 +212,32 @@
"export_library": "Esporta la Libreria",
"export_library_coming_soon": "L'esportazione della libreria arriverà prossimamente",
"export_library_description": "Esporta questa libreria in un file.",
"executable": "Executable",
"extension": "Extension",
"extensions": "Estensioni",
"extensions_description": "Installa estensioni per estendere le funzionalità di questo client.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Impossibile annullare il lavoro.",
"failed_to_clear_all_jobs": "Impossibile cancellare tutti i lavori.",
"failed_to_copy_file": "Impossibile copiare il file",
"failed_to_copy_file_path": "Impossibile copiare il percorso del file",
"failed_to_cut_file": "Impossibile tagliare il file",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Impossibile scaricare l'aggiornamento",
"failed_to_duplicate_file": "Impossibile duplicare il file",
"failed_to_generate_checksum": "Impossibile generare il checksum",
"failed_to_generate_labels": "Impossibile generare etichette",
"failed_to_generate_thumbnails": "Impossibile generare le anteprime",
"failed_to_load_tags": "Impossibile caricare i tag",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Impossibile mettere in pausa il lavoro.",
"failed_to_reindex_location": "Impossibile reindicizzare la posizione",
"failed_to_remove_file_from_recents": "Impossibile rimuovere il file dai recenti",
"failed_to_remove_job": "Impossibile rimuovere il lavoro.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Impossibile eseguire nuovamente la scansione della posizione",
"failed_to_resume_job": "Impossibile riprendere il lavoro.",
"failed_to_update_location_settings": "Impossibile aggiornare le impostazioni del percorso",
@ -214,10 +248,17 @@
"feedback_login_description": "Effettuando l'accesso possiamo rispondere al tuo feedback",
"feedback_placeholder": "Il tuo feedback...",
"feedback_toast_error_message": "Si è verificato un errore durante l'invio del tuo feedback. Riprova.",
"file": "file",
"file_already_exist_in_this_location": "Il file esiste già in questa posizione",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Regole di indicizzazione dei file",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtro",
"filters": "Filtri",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "Avanti",
"free_of": "senza",
"from": "da",
@ -250,21 +291,30 @@
"hide_in_sidebar_description": "Impedisci che questo tag venga visualizzato nella barra laterale dell'app.",
"hide_location_from_view": "Nascondi posizione e contenuti",
"home": "Home",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Dimensione dell'icona",
"image": "Image",
"image_labeler_ai_model": "Modello AI per il riconoscimento delle etichette delle immagini",
"image_labeler_ai_model_description": "Il modello utilizzato per riconoscere oggetti nelle immagini. I modelli più grandi sono più precisi ma anche più lenti.",
"import": "Importa",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "Indicizzato",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Per impostazione predefinita, una regola dell'indicizzatore funziona come una lista di esclusione, comportando l'esclusione di tutti i file che soddisfano i suoi criteri. Abilitando questa opzione, la trasformerà in una lista di inclusione, consentendo alla posizione di indicizzare esclusivamente i file che soddisfano le sue regole specificate.",
"indexer_rules": "Regole dell'indicizzatore",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Le regole dell'indicizzatore consentono di specificare percorsi da ignorare utilizzando i glob.",
"install": "Installa",
"install_update": "Installa Aggiornamento",
"installed": "Installato",
"item": "item",
"item_size": "Dimensione dell'elemento",
"item_with_count_one": "{{count}} elemento",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} elementi",
"items": "items",
"job_has_been_canceled": "Il lavoro è stato annullato",
"job_has_been_paused": "Il lavoro è stato messo in pausa.",
"job_has_been_removed": "Il lavoro è stato rimosso.",
@ -281,11 +331,15 @@
"keys": "Chiavi",
"kilometers": "Kilometri",
"kind": "Tipo",
"kind_one": "Tipo",
"kind_other": "Tipi",
"label": "Etichetta",
"labels": "Etichette",
"language": "Lingua",
"language_description": "Cambia la lingua dell'interfaccia di Spacedrive",
"learn_more": "Learn More",
"learn_more_about_telemetry": "Ulteriori informazioni sulla telemetria",
"less": "less",
"libraries": "Librerie",
"libraries_description": "Il database contiene tutti i dati della libreria e i metadati dei file.",
"library": "Libreria",
@ -296,13 +350,16 @@
"library_settings": "Impostazioni della Libreria",
"library_settings_description": "Impostazioni generali relative alla libreria attualmente attiva.",
"light": "Luce",
"link": "Link",
"list_view": "Visualizzazione a Elenco",
"list_view_notice_description": "Naviga facilmente tra file e cartelle con la Visualizzazione a Elenco. Questa visualizzazione mostra i tuoi file in un formato a elenco semplice e organizzato, consentendoti di individuare e accedere rapidamente ai file necessari.",
"loading": "Caricamento",
"local": "Locale",
"local_locations": "Posizioni Locali",
"local_node": "Nodo Locale",
"location": "Location",
"location": "Posizione",
"location_one": "Posizione",
"location_other": "Luoghi",
"location_connected_tooltip": "La posizione è monitorata per i cambiamenti",
"location_disconnected_tooltip": "La posizione non è monitorata per i cambiamenti",
"location_display_name_info": "Il nome di questa Posizione, questo è ciò che verrà visualizzato nella barra laterale. Non rinominerà la cartella effettiva sul disco.",
@ -330,6 +387,7 @@
"media_view_notice_description": "Scopri facilmente foto e video, Media View mostrerà i risultati a partire dalla posizione corrente, comprese le sottocartelle.",
"meet_contributors_behind_spacedrive": "Incontra i contributori dietro a Spacedrive",
"meet_title": "Incontra {{title}}",
"mesh": "Mesh",
"miles": "Miglia",
"mode": "Modalità",
"modified": "Modificati",
@ -340,6 +398,7 @@
"move_files": "Muovi i Files",
"move_forward_within_quick_preview": "Avanza nella visualizzazione rapida",
"move_to_trash": "Sposta nel cestino",
"my_sick_location": "My sick location",
"name": "Nome",
"navigate_back": "Naviga indietro",
"navigate_backwards": "Naviga indietro",
@ -353,6 +412,7 @@
"network": "Rete",
"network_page_description": "Gli altri nodi Spacedrive sulla tua LAN appariranno qui, insieme ai tuoi punti di montaggio di rete predefiniti del sistema operativo.",
"networking": "Rete",
"networking_error": "Error starting up networking!",
"networking_port": "Porta di Rete",
"networking_port_description": "La porta su cui comunicare con la rete peer-to-peer di Spacedrive. Dovresti lasciarlo disabilitato a meno che tu non abbia un firewall restrittivo. Non esporre la tua connessione privata a Internet!",
"new": "Nuovo",
@ -363,6 +423,7 @@
"new_tab": "Nuova Scheda",
"new_tag": "Nuovo tag",
"new_update_available": "Nuovo aggiornamento disponibile!",
"no_apps_available": "No apps available",
"no_favorite_items": "Nessun articolo preferito",
"no_items_found": "Nessun articolo trovato",
"no_jobs": "Nessun lavoro.",
@ -377,6 +438,7 @@
"nodes_description": "Gestisci i nodi collegati a questa libreria. Un nodo è un'istanza del backend di Spacedrive, in esecuzione su un dispositivo o server. Ogni nodo trasporta una copia del database e si sincronizza tramite connessioni peer-to-peer in tempo reale.",
"none": "Nessuno",
"normal": "Normale",
"note": "Note",
"not_you": "Non sei tu?",
"nothing_selected": "Nulla di selezionato",
"number_of_passes": "# di passaggi",
@ -387,14 +449,17 @@
"open": "Apri",
"open_file": "Apri File",
"open_in_new_tab": "Apri in una nuova scheda",
"open_logs": "Open Logs",
"open_new_location_once_added": "Apri la nuova location una volta aggiunta",
"open_new_tab": "Apri nuova scheda",
"open_object": "Apri oggetto",
"open_object_from_quick_preview_in_native_file_manager": "Apri oggetto dalla visualizzazione rapida nel gestore di file nativo",
"open_settings": "Apri le impostazioni",
"open_with": "Apri con",
"opening_trash": "Opening Trash",
"or": "oppure",
"overview": "Panoramica",
"package": "Package",
"page": "Pagina",
"page_shortcut_description": "Diverse pagine nell'app",
"pair": "Accoppia",
@ -405,16 +470,20 @@
"path": "Percorso",
"path_copied_to_clipboard_description": "Percorso per la location {{location}} copiato nella clipboard.",
"path_copied_to_clipboard_title": "Percorso copiato nella clipboard",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Percorsi",
"pause": "Pausa",
"peers": "Peers",
"people": "Persone",
"pin": "Spillo",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Anteprima media",
"preview_media_bytes_description": "La dimensione totale di tutti i file multimediali di anteprima, come le miniature.",
"privacy": "Privacy",
"privacy_description": "Spacedrive è progettato per garantire la privacy, ecco perché siamo innanzitutto open source e manteniamo i file in locale. Quindi renderemo molto chiaro quali dati vengono condivisi con noi.",
"quick_preview": "Anteprima rapida",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Visualizzazione rapida",
"recent_jobs": "Jobs recenti",
"recents": "Recenti",
@ -424,6 +493,7 @@
"regenerate_thumbs": "Rigenera le anteprime",
"reindex": "Re-indicizza",
"reject": "Rifiuta",
"reject_files": "Reject files",
"reload": "Ricarica",
"remove": "Rimuovi",
"remove_from_recents": "Rimuovi dai recenti",
@ -434,17 +504,24 @@
"rescan_directory": "Scansiona di nuovo la Cartella",
"rescan_location": "Scansiona di nuovo la Posizione",
"reset": "Reset",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Risorse",
"restore": "Ripristina",
"resume": "Riprendi",
"retry": "Riprova",
"reveal_in_native_file_manager": "Mostra nel gestore di file nativo",
"revel_in_browser": "Mostra in {{browser}}",
"rules": "Rules",
"running": "In esecuzione",
"save": "Salva",
"save_changes": "Salva le modifiche",
"save_search": "Salva la ricerca",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Ricerche salvate",
"screenshot": "Screenshot",
"search": "Ricerca",
"search_extensions": "Cerca estensioni",
"search_for_files_and_actions": "Cerca file e azioni...",
@ -452,7 +529,10 @@
"secure_delete": "Eliminazione sicura",
"security": "Sicurezza",
"security_description": "Tieni al sicuro il tuo client.",
"see_more": "See more",
"see_less": "See less",
"send": "Invia",
"send_report": "Send Report",
"settings": "Impostazioni",
"setup": "Imposta",
"share": "Condividi",
@ -500,12 +580,15 @@
"sync_with_library": "Sincronizza con la Libreria",
"sync_with_library_description": "Se abilitato, le combinazioni di tasti verranno sincronizzate con la libreria, altrimenti verranno applicate solo a questo client.",
"system": "Sistema",
"tags": "Tags",
"tag": "Tag",
"tag_one": "Tag",
"tag_other": "Tags",
"tags_description": "Gestisci i tuoi tags.",
"tags_notice_message": "Nessun elemento assegnato a questo tag.",
"telemetry_description": "Attiva per fornire agli sviluppatori dati dettagliati sull'utilizzo e sulla telemetria per migliorare l'app. Disattiva per inviare solo i dati di base: stato della tua attività, versione dell'app, versione principale e piattaforma (ad esempio mobile, web o desktop).",
"telemetry_title": "Condividi ulteriori dati di telemetria e utilizzo",
"temperature": "Temperatura",
"text": "Text",
"text_file": "File di testo",
"text_size": "Dimensione del testo",
"thank_you_for_your_feedback": "Grazie per il tuo feedback!",
@ -539,9 +622,11 @@
"ui_animations": "Animazioni dell'interfaccia utente",
"ui_animations_description": "Le finestre di dialogo e altri elementi dell'interfaccia utente si animeranno durante l'apertura e la chiusura.",
"unnamed_location": "Posizione senza nome",
"unknown": "Unknown",
"update": "Aggiornamento",
"update_downloaded": "Aggiornamento scaricato. Riavvia Spacedrive per eseguire l'installazione",
"updated_successfully": "Aggiornato con successo, sei sulla versione {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "Utilizzo",
"usage_description": "Informazioni sull'utilizzo della libreria e sull'hardware",
"vaccum": "Vuoto",
@ -549,10 +634,13 @@
"vaccum_library_description": "Ricomponi il tuo database per liberare spazio non necessario.",
"value": "Valore",
"version": "Versione {{versione}}",
"video": "Video",
"video_preview_not_supported": "L'anteprima video non è supportata.",
"view_changes": "Visualizza modifiche",
"want_to_do_this_later": "Vuoi farlo più tardi?",
"web_page_archive": "Web Page Archive",
"website": "Sito web",
"widget": "Widget",
"with_descendants": "Con i discendenti",
"your_account": "Il tuo account",
"your_account_description": "Account di Spacedrive e informazioni.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "私達は通常、複数のクラウドのアカウントを持ち、バックアップのないドライブを利用し、データを失う危険にさらされています。またGoogle PhotosやiCloudのようなクラウドサービスに依存していますが、それらは容量に制限があり、サービスやOS間に互換性はほとんどありません。フォトアルバムは、デバイスのエコシステムに縛られたり広告データとして利用されたりすべきではなく、OSにとらわれず、永続的で、個人所有のものであるべきです。私達が作成したデータは私達の遺産であり、私達よりもずっと長生きします。オープンソース・テクロジーは、無制限のスケールで、私達の生活を定義するデータの絶対的なコントロールを確実に保持する唯一の方法なのです。",
"about_vision_title": "ビジョン",
"accept": "Accept",
"accept_files": "Accept files",
"accessed": "最終アクセス",
"account": "アカウント",
"actions": "操作",
@ -16,10 +17,16 @@
"add_location_tooltip": "このパスをインデックス化されたロケーションに追加する",
"add_locations": "ロケーションを追加",
"add_tag": "タグを追加",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "高度な設定",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "全てのジョブを削除しました。",
"alpha_release_description": "Spacedriveは現在、エキサイティングな新機能を紹介するためのアルファ版となっております。初期リリース版であるため、いくつかのバグが含まれている可能性があります。問題が発生した場合は、Discordチャンネルにてご報告ください。あなたの貴重なフィードバックは、ユーザーエクスペリエンスの向上に大きく貢献します。",
"alpha_release_title": "アルファ版",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "外観",
"appearance_description": "クライアントの見た目を変更します。",
"apply": "応募する",
@ -28,14 +35,16 @@
"archive_info": "ライブラリから、ロケーションのフォルダ構造を保存するために、アーカイブとしてデータを抽出します。",
"are_you_sure": "実行しますか?",
"ask_spacedrive": "スペースドライブに聞いてください",
"asc": "上昇",
"ascending": "上昇",
"assign_tag": "タグを追加",
"audio": "Audio",
"audio_preview_not_supported": "オーディオのプレビューには対応していません。",
"back": "戻る",
"backups": "バックアップ",
"backups_description": "Spacedriveデータベースのバックアップの設定を行います。",
"blur_effects": "ぼかし効果",
"blur_effects_description": "いくつかのUI要素にぼかし効果を適用します。",
"book": "book",
"cancel": "キャンセル",
"cancel_selection": "選択を解除",
"celcius": "摂氏",
@ -53,11 +62,15 @@
"cloud": "クラウド",
"cloud_drives": "クラウドドライブ",
"clouds": "クラウド",
"code": "Code",
"collection": "Collection",
"color": "色",
"coming_soon": "近日公開",
"contains": "を含む",
"compress": "圧縮",
"config": "Config",
"configure_location": "ロケーション設定を編集",
"confirm": "Confirm",
"connect_cloud": "クラウドに接続する",
"connect_cloud_description": "クラウドアカウントをSpacedriveに接続する。",
"connect_device": "デバイスを接続する",
@ -82,6 +95,7 @@
"create_folder_success": "新しいフォルダーを作成しました: {{name}}",
"create_library": "ライブラリを作成",
"create_library_description": "ライブラリは、安全の保証された、デバイス上のデータベースです。ライブラリはファイルをカタログ化し、すべてのSpacedriveの関連データを保存します。",
"create_location": "Create Location",
"create_new_library": "新しいライブラリを作成",
"create_new_library_description": "ライブラリは、安全の保証された、デバイス上のデータベースです。ライブラリはファイルをカタログ化し、すべてのSpacedriveの関連データを保存します。",
"create_new_tag": "新しいタグを作成",
@ -98,6 +112,7 @@
"cut_object": "オブジェクトを切り取り",
"cut_success": "アイテムを切り取りました",
"dark": "暗い",
"database": "Database",
"data_folder": "データフォルダー",
"date_accessed": "アクセス日時",
"date_created": "作成日時",
@ -109,12 +124,15 @@
"debug_mode": "デバッグモード",
"debug_mode_description": "アプリ内で追加のデバッグ機能を有効にします。",
"default": "デフォルト",
"desc": "下降",
"descending": "下降",
"random": "ランダム",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6ネットワーキング",
"ipv6_description": "IPv6 ネットワークを使用したピアツーピア通信を許可する",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "は",
"is_not": "ではない",
"is_not": "ではない",
"default_settings": "デフォルトの設定",
"delete": "削除",
"delete_dialog_title": "{{prefix}} {{type}} を削除",
@ -126,6 +144,7 @@
"delete_location_description": "ロケーションを削除すると、Spacedriveデータベースから関連するファイルが全て削除されます。ファイル自体は削除されません。",
"delete_object": "オブジェクトを削除",
"delete_rule": "ルールを削除",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "タグを削除",
"delete_tag_description": "本当にこのタグを削除しますか?これを元に戻すことはできず、タグ付けされたファイル間の結びつきは失われます。",
"delete_warning": "これはあなたの {{type}} を完全に削除します。",
@ -137,13 +156,19 @@
"dialog": "ダイアログ",
"dialog_shortcut_description": "特定の操作を設定します。",
"direction": "順番",
"directory": "directory",
"directories": "directories",
"disabled": "無効",
"disconnected": "切断中",
"display_formats": "表示フォーマット",
"display_name": "表示名",
"distance": "距離",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "完了",
"dont_show_again": "今後表示しない",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "ダブルクリック時の動作",
"download": "ダウンロード",
"downloading_update": "アップデートをダウンロード中",
@ -167,6 +192,7 @@
"encrypt_library": "ライブラリを暗号化する",
"encrypt_library_coming_soon": "ライブラリの暗号化機能は今後実装予定です",
"encrypt_library_description": "このライブラリの暗号化を有効にします。これはSpacedriveデータベースのみを暗号化し、ファイル自体は暗号化されません。",
"encrypted": "Encrypted",
"ends_with": "で終わる。",
"ephemeral_notice_browse": "デバイスから直接ファイルやフォルダを閲覧できます。",
"ephemeral_notice_consider_indexing": "より迅速で効率的な探索のために、ローカルロケーションのインデックス化をご検討ください。",
@ -176,6 +202,7 @@
"erase_a_file_description": "消去設定を行います。",
"error": "エラー",
"error_loading_original_file": "オリジナルファイルの読み込みエラー",
"error_message": "Error: {{error}}.",
"expand": "詳細の表示",
"explorer": "エクスプローラー",
"explorer_settings": "エクスプローラーの設定",
@ -185,25 +212,32 @@
"export_library": "ライブラリのエクスポート",
"export_library_coming_soon": "ライブラリのエクスポート機能は今後実装予定です",
"export_library_description": "このライブラリをファイルにエクスポートします。",
"executable": "Executable",
"extension": "エクステンション",
"extensions": "拡張機能",
"extensions_description": "このクライアントの機能を拡張するための拡張機能をインストールします。",
"fahrenheit": "華氏",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "ジョブの中止に失敗",
"failed_to_clear_all_jobs": "全てのジョブの削除に失敗",
"failed_to_copy_file": "ファイルのコピーに失敗",
"failed_to_copy_file_path": "ファイルパスのコピーに失敗",
"failed_to_cut_file": "ファイルの切り取りに失敗",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "アップデートのダウンロードに失敗",
"failed_to_duplicate_file": "ファイルの複製に失敗",
"failed_to_generate_checksum": "チェックサムの作成に失敗",
"failed_to_generate_labels": "ラベルの作成に失敗",
"failed_to_generate_thumbnails": "サムネイルの作成に失敗",
"failed_to_load_tags": "タグの読み込みに失敗",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "ジョブの一時停止に失敗",
"failed_to_reindex_location": "ロケーションの再インデックス化に失敗",
"failed_to_remove_file_from_recents": "最近のアクセスの削除に失敗",
"failed_to_remove_job": "ジョブの削除に失敗",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "ロケーションの再スキャンに失敗",
"failed_to_resume_job": "ジョブの再開に失敗",
"failed_to_update_location_settings": "ロケーションの設定の更新に失敗",
@ -214,10 +248,17 @@
"feedback_login_description": "ログインすることで、フィードバックを送ることができます。",
"feedback_placeholder": "フィードバックを入力...",
"feedback_toast_error_message": "フィードバックの送信中にエラーが発生しました。もう一度お試しください。",
"file": "file",
"file_already_exist_in_this_location": "このファイルは既にこのロケーションに存在します",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "ファイルのインデックス化ルール",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "フィルター",
"filters": "フィルター",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "フォワード",
"free_of": "ない",
"from": "より",
@ -250,18 +291,27 @@
"hide_in_sidebar_description": "このタグがアプリのサイドバーに表示されないようにします。",
"hide_location_from_view": "ロケーションとそのコンテンツを非表示にする",
"home": "ホーム",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "アイコンサイズ",
"image": "Image",
"image_labeler_ai_model": "画像ラベル認識AIモデル",
"image_labeler_ai_model_description": "画像中の物体を認識するためのモデルを設定します。大きいモデルほど正確だが、処理速度は遅くなります。",
"import": "インポート",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "インデックス化",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "デフォルトでは、インデックス化ルールはブラックリストとして機能し、その基準に一致する全てのファイルを除外します。このオプションを有効にすると、ホワイトリストに変換され、指定されたルールに一致するファイルのみをインデックス化するようになります。",
"indexer_rules": "インデックス化のルール",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "globを使用して無視するパスを指定できます。",
"install": "インストール",
"install_update": "アップデートをインストールする",
"installed": "インストール完了",
"item": "item",
"item_size": "アイテムの表示サイズ",
"items": "items",
"job_has_been_canceled": "ジョブが中止されました。",
"job_has_been_paused": "ジョブが一時停止されました。",
"job_has_been_removed": "ジョブが削除されました。",
@ -278,11 +328,14 @@
"keys": "暗号化キー",
"kilometers": "キロ",
"kind": "親切",
"kind_other": "親切",
"label": "ラベル",
"labels": "ラベル",
"language": "言語",
"language_description": "Spacedriveのインターフェイス言語を変更します。",
"learn_more": "Learn More",
"learn_more_about_telemetry": "テレメトリについての詳細",
"less": "less",
"libraries": "ライブラリ",
"libraries_description": "データベースには、すべてのライブラリデータとファイルのメタデータが含まれています。",
"library": "ライブラリ",
@ -293,6 +346,7 @@
"library_settings": "ライブラリの設定",
"library_settings_description": "現在アクティブなライブラリに関する一般的な設定を行います。",
"light": "ライト",
"link": "Link",
"list_view": "リスト ビュー",
"list_view_notice_description": "リスト ビューではファイルやフォルダを簡単に閲覧できます。ファイルがシンプルに整理されたリスト形式で表示されるため、必要なファイルをすばやく見つけることができます。",
"loading": "ローディング",
@ -300,6 +354,7 @@
"local_locations": "ローカルロケーション",
"local_node": "ローカルノード",
"location": "所在地",
"location_other": "所在地",
"location_connected_tooltip": "ロケーションの変化に注目",
"location_disconnected_tooltip": "ロケーションの変更は監視されていない",
"location_display_name_info": "サイドバーに表示されるロケーションの名前を設定します。ディスク上の実際のフォルダの名前は変更されません。",
@ -327,6 +382,7 @@
"media_view_notice_description": "メディア ビューでは、ロケーションに含まれるファイルをサブディレクトリを含めて全て表示します。写真やビデオを簡単に見つけることができます。",
"meet_contributors_behind_spacedrive": "Spacedriveは以下の人々に支えられています",
"meet_title": "ミーティング {{title}}",
"mesh": "Mesh",
"miles": "マイル",
"mode": "モード",
"modified": "更新",
@ -337,6 +393,7 @@
"move_files": "ファイルを移動",
"move_forward_within_quick_preview": "クイック プレビューで次に進む",
"move_to_trash": "ゴミ箱に移動",
"my_sick_location": "My sick location",
"name": "名前",
"navigate_back": "前へ",
"navigate_backwards": "前のページに戻る",
@ -350,6 +407,7 @@
"network": "ネットワーク",
"network_page_description": "LAN上の他のSpacedriveードは、デフォルトのOSネットワークマウントとともにここに表示されます。",
"networking": "ネットワーク",
"networking_error": "Error starting up networking!",
"networking_port": "ネットワークポート",
"networking_port_description": "SpacedriveのP2Pネットワークが使用するポートを設定します。ファイアウォールによる制限がない限り、無効のままにしておくことを推奨します。インターネット上に公開しないでください",
"new": "新しい",
@ -360,6 +418,7 @@
"new_tab": "新しいタブ",
"new_tag": "新しいタグ",
"new_update_available": "アップデートが利用可能です!",
"no_apps_available": "No apps available",
"no_favorite_items": "お気に入りのアイテムはありません",
"no_items_found": "アイテムが見つかりませんでした",
"no_jobs": "ジョブがありません。",
@ -374,6 +433,7 @@
"nodes_description": "このライブラリに接続されているードを管理します。ードとは、デバイスまたはサーバー上で動作するSpacedriveのバックエンドのインスタンスです。各ードはデータベースのコピーを持ち、P2P接続を介してリアルタイムで同期を行います。",
"none": "なし",
"normal": "ノーマル",
"note": "Note",
"not_you": "君は違うのか?",
"nothing_selected": "何も選択されていない",
"number_of_passes": "# パス数",
@ -384,14 +444,17 @@
"open": "開く",
"open_file": "ファイルを開く",
"open_in_new_tab": "新しいタブで開く",
"open_logs": "Open Logs",
"open_new_location_once_added": "追加した後このロケーションを開く",
"open_new_tab": "新しいタブ",
"open_object": "オブジェクトを開く",
"open_object_from_quick_preview_in_native_file_manager": "クイック プレビューのオブジェクトをデフォルトのアプリで開く",
"open_settings": "設定を開く",
"open_with": "プログラムから開く",
"opening_trash": "Opening Trash",
"or": "OR",
"overview": "概要",
"package": "Package",
"page": "ページ",
"page_shortcut_description": "アプリ内のさまざまなページ",
"pair": "ペアリング",
@ -402,16 +465,20 @@
"path": "パス",
"path_copied_to_clipboard_description": "ロケーション {{location}} のパスをコピーしました。",
"path_copied_to_clipboard_title": "パスをコピーしました",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "パス",
"pause": "一時停止",
"peers": "ピア",
"people": "人々",
"pin": "ピン留め",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "プレビューメディア",
"preview_media_bytes_description": "Tサムネイルなどのすべてのプレビューメディアファイルの合計サイズ。",
"privacy": "プライバシー",
"privacy_description": "Spacedriveはプライバシーを遵守します。だからこそ、私達はオープンソースであり、ローカルでの利用を優先しています。プライバシーのために、どのようなデータが私達と共有されるのかを明示しています。",
"quick_preview": "クイック プレビュー",
"quick_rescan_started": "Quick rescan started",
"quick_view": "クイック プレビュー",
"recent_jobs": "最近のジョブ",
"recents": "最近のアクセス",
@ -421,6 +488,7 @@
"regenerate_thumbs": "サムネイルを再作成",
"reindex": "再インデックス化",
"reject": "却下",
"reject_files": "Reject files",
"reload": "更新",
"remove": "削除",
"remove_from_recents": "最近のアクセスから削除",
@ -431,17 +499,24 @@
"rescan_directory": "ディレクトリを再スキャン",
"rescan_location": "ロケーションを再スキャン",
"reset": "リセット",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "リソース",
"restore": "元に戻す",
"resume": "再開",
"retry": "再試行",
"reveal_in_native_file_manager": "デフォルトのファイルマネージャーで開く",
"revel_in_browser": "{{browser}} で表示する",
"rules": "Rules",
"running": "実行中",
"save": "保存",
"save_changes": "変更を保存",
"save_search": "検索を保存",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "保存した検索条件",
"screenshot": "Screenshot",
"search": "検索",
"search_extensions": "検索エクステンション",
"search_for_files_and_actions": "ファイルとアクションを検索します...",
@ -449,7 +524,10 @@
"secure_delete": "安全に削除",
"security": "セキュリティ",
"security_description": "クライアントの安全性を保ちます。",
"see_more": "See more",
"see_less": "See less",
"send": "送信",
"send_report": "Send Report",
"settings": "設定",
"setup": "セットアップ",
"share": "共有",
@ -497,12 +575,15 @@
"sync_with_library": "ライブラリと同期する",
"sync_with_library_description": "有効にすると、キーバインドがライブラリと同期されます。無効にすると、このクライアントにのみ適用されます。",
"system": "システム",
"tag": "タグ",
"tag_other": "タグ",
"tags": "タグ",
"tags_description": "タグを管理します。",
"tags_notice_message": "このタグに割り当てられたアイテムはありません。",
"telemetry_description": "有効にすると、アプリを改善するための詳細なテレメトリ・利用状況データが開発者に提供されます。無効にすると、基本的なデータ(実行状況、アプリバージョン、コアバージョン、プラットフォーム[モバイル/ウェブ/デスクトップなど])のみが送信されます。",
"telemetry_title": "テレメトリ・利用状況データを送信する",
"temperature": "温度",
"text": "Text",
"text_file": "テキストファイル",
"text_size": "テキストサイズ",
"thank_you_for_your_feedback": "フィードバックありがとうございます!",
@ -536,9 +617,11 @@
"ui_animations": "UIアニメーション",
"ui_animations_description": "ダイアログやその他のUI要素を開いたり閉じたりするときにアニメーションを有効にします。",
"unnamed_location": "名前の無いロケーション",
"unknown": "Unknown",
"update": "アップデート",
"update_downloaded": "アップデートがダウンロードされました。インストールするためにSpacedriveを再起動します。",
"updated_successfully": "バージョン {{version}} へのアップデートが完了しました。",
"uploaded_file": "Uploaded file!",
"usage": "利用状況",
"usage_description": "ライブラリの利用状況とハードウェア情報",
"vaccum": "バキューム",
@ -546,10 +629,13 @@
"vaccum_library_description": "データベースを再パックして、不要なスペースを解放します。",
"value": "価値",
"version": "バージョン {{version}}",
"video": "Video",
"video_preview_not_supported": "ビデオのプレビューには対応していません。",
"view_changes": "変更履歴を見る",
"want_to_do_this_later": "後でやろうか?",
"web_page_archive": "Web Page Archive",
"website": "ウェブサイト",
"widget": "Widget",
"with_descendants": "子孫とともに",
"your_account": "あなたのアカウント",
"your_account_description": "Spacedriveアカウントの情報",

View file

@ -3,6 +3,7 @@
"about_vision_text": "Veel van ons hebben meerdere cloud accounts, schijven waarvan geen back-ups worden gemaakt en gegevens die het risico lopen verloren te gaan. We zijn afhankelijk van clouddiensten als Google Photos en iCloud, maar zitten vast met een beperkte capaciteit en vrijwel geen interoperabiliteit tussen diensten en besturingssystemen. Fotoalbums mogen niet vastzitten in het ecosysteem van een apparaat, of worden gebruikt voor advertentiegegevens. Ze moeten OS-agnostisch, permanent en persoonlijk eigendom zijn. De gegevens die we creëren zijn onze erfenis, die ons nog lang zal overleven. Open source-technologie is de enige manier om ervoor te zorgen dat we de absolute controle behouden over de gegevens die ons leven bepalen, op onbeperkte schaal.",
"about_vision_title": "Visie",
"accept": "Accepteren",
"accept_files": "Accept files",
"accessed": "Geopend",
"account": "Account",
"actions": "Acties",
@ -16,10 +17,16 @@
"add_location_tooltip": "Voeg pad toe als een geïndexeerde locatie",
"add_locations": "Locaties Toevoegen",
"add_tag": "Tag Toevoegen",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Geavanceerde Instellingen",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Alle taken zijn opgeruimd.",
"alpha_release_description": "We zijn blij dat je de Alpha-versie van Spacedrive nu kunt uitproberen, met spannende nieuwe functies. Zoals met elke eerste release kan deze versie enkele bugs bevatten. Je kan ons helpen bij het melden van eventuele problemen die u tegenkomt op ons Discord kanaal. Je waardevolle feedback draagt in grote mate bij aan het verbeteren van de gebruikerservaring.",
"alpha_release_title": "Alpha Release",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Uiterlijk",
"appearance_description": "Verander het uiterlijk van de client.",
"apply": "Toepassing",
@ -28,14 +35,16 @@
"archive_info": "Exporteer gegevens van de bibliotheek als een archief, handig om de mapstructuur van de locatie te behouden.",
"are_you_sure": "Weet je het zeker?",
"ask_spacedrive": "Vraag het aan Space Drive",
"asc": "Oplopend",
"ascending": "Oplopend",
"assign_tag": "Tag toewijzen",
"audio": "Audio",
"audio_preview_not_supported": "Audio voorvertoning wordt niet ondersteund.",
"back": "Terug",
"backups": "Backups",
"backups_description": "Beheer je Spacedrive database backups.",
"blur_effects": "Blur Effecten",
"blur_effects_description": "Op sommige onderdelen wordt een blur effect toegepast.",
"book": "book",
"cancel": "Annuleren",
"cancel_selection": "Selectie annuleren",
"celcius": "Celsius",
@ -53,11 +62,15 @@
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Kleur",
"coming_soon": "Komt binnenkort",
"contains": "bevatten",
"compress": "Comprimeer",
"config": "Config",
"configure_location": "Locatie Configureren",
"confirm": "Confirm",
"connect_cloud": "Een cloud verbinden",
"connect_cloud_description": "Verbind uw cloudaccounts met Spacedrive.",
"connect_device": "Een apparaat aansluiten",
@ -82,6 +95,7 @@
"create_folder_success": "Nieuwe map gemaakt: {{name}}",
"create_library": "Creëer Bibliotheek",
"create_library_description": "Bibliotheken zijn een veilige lokale database. Je bestanden blijven waar ze zijn, de Bibliotheek catalogiseert ze een slaat alle Spacedrive gerelateerde gegevens op.",
"create_location": "Create Location",
"create_new_library": "Creëer nieuwe bibliotheek",
"create_new_library_description": "Bibliotheken zijn een veilige lokale database. Je bestanden blijven waar ze zijn, de Bibliotheek catalogiseert ze een slaat alle Spacedrive gerelateerde gegevens op.",
"create_new_tag": "Creëer Nieuwe Tag",
@ -98,6 +112,7 @@
"cut_object": "Object knippen",
"cut_success": "Items knippen",
"dark": "Donker",
"database": "Database",
"data_folder": "Gegevens Map",
"date_accessed": "Datum geopend",
"date_created": "Datum gecreeërd",
@ -109,12 +124,15 @@
"debug_mode": "Debug modus",
"debug_mode_description": "Schakel extra debugging functies in de app in.",
"default": "Standaard",
"desc": "Aflopend",
"descending": "Aflopend",
"random": "Willekeurig",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6-netwerken",
"ipv6_description": "Maak peer-to-peer-communicatie mogelijk via IPv6-netwerken",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "is",
"is_not": "is niet",
"is_not": "is niet",
"default_settings": "Standaard instellingen",
"delete": "Verwijder",
"delete_dialog_title": "Verwijder {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "Als je een locatie verwijdert, worden ook alle bijbehorende bestanden uit de Spacedrive database verwijderd, de bestanden zelf worden niet verwijderd.",
"delete_object": "Object verwijderen",
"delete_rule": "Verwijder regel",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Verwijder Tag",
"delete_tag_description": "Weet je zeker dat je deze tag wilt verwijderen? Dit kan niet ongedaan worden gemaakt en ge-tagde bestanden worden ontkoppeld.",
"delete_warning": "hiermee wordt je {{type}} permanent verwijderd, we hebben nog geen prullenbak...",
@ -137,13 +156,19 @@
"dialog": "Dialoog",
"dialog_shortcut_description": "Om acties en bewerkingen uit te voeren",
"direction": "Richting",
"directory": "directory",
"directories": "directories",
"disabled": "Uitgeschakeld",
"disconnected": "Losgekoppeld",
"display_formats": "Weergave Eenheden",
"display_name": "Weergave Naam",
"distance": "Afstand",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Klaar",
"dont_show_again": "Niet meer laten zien",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Dubbele klikactie",
"download": "Download",
"downloading_update": "Update wordt gedownload",
@ -167,6 +192,7 @@
"encrypt_library": "Versleutel Bibliotheek",
"encrypt_library_coming_soon": "Bibliotheek versleuteling komt binnenkort",
"encrypt_library_description": "Schakel versleuteling in voor deze bibliotheek. dit versleuteld alleen de Spacedrive database, niet de bestanden zelf.",
"encrypted": "Encrypted",
"ends_with": "eindigt met",
"ephemeral_notice_browse": "Blader door je bestand en mappen rechtstreeks vanaf je apparaat.",
"ephemeral_notice_consider_indexing": "Overweeg om je lokale locaties te indexeren voor een snellere en efficiënte verkenning.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Configureer je wis instellingen.",
"error": "Fout",
"error_loading_original_file": "Fout bij het laden van het originele bestand",
"error_message": "Error: {{error}}.",
"expand": "Uitbreiden",
"explorer": "Verkenner",
"explorer_settings": "Explorer-instellingen",
@ -185,25 +212,32 @@
"export_library": "Exporteer Bibliotheek",
"export_library_coming_soon": "Bibliotheek Exporteren komt binnenkort",
"export_library_description": "Exporteer deze bibliotheek naar een bestand.",
"executable": "Executable",
"extension": "Extensie",
"extensions": "Extensies",
"extensions_description": "Installeer extensies om de functionaliteit van deze client uit te breiden.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Kan taak niet annuleren.",
"failed_to_clear_all_jobs": "Kan niet alle taken wissen.",
"failed_to_copy_file": "Kopiëren van bestand is mislukt",
"failed_to_copy_file_path": "Kan bestandspad niet kopiëren",
"failed_to_cut_file": "Knippen van bestand is mislukt",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Update kon niet worden gedownload",
"failed_to_duplicate_file": "Kan bestand niet dupliceren",
"failed_to_generate_checksum": "Kan controlegetal niet genereren",
"failed_to_generate_labels": "Kan labels niet genereren",
"failed_to_generate_thumbnails": "Kan voorvertoningen niet genereren",
"failed_to_load_tags": "Kan tags niet laden",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Kan taak niet pauzeren.",
"failed_to_reindex_location": "Kan locatie niet herindexeren",
"failed_to_remove_file_from_recents": "Kan bestand niet verwijderen uit recente bestanden",
"failed_to_remove_job": "Kan taak niet verwijderen.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Kan locatie niet opnieuw scannen",
"failed_to_resume_job": "Kan taak niet hervatten.",
"failed_to_update_location_settings": "Kan locatie instellingen niet updaten",
@ -214,10 +248,17 @@
"feedback_login_description": "Inloggen stelt ons in staat om te reageren op jouw feedback",
"feedback_placeholder": "Jouw feedback...",
"feedback_toast_error_message": "Er is een fout opgetreden bij het verzenden van je feedback. Probeer het opnieuw.",
"file": "file",
"file_already_exist_in_this_location": "Bestand bestaat al op deze locatie",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Bestand indexeringsregels",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "Filters",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "Vooruit",
"free_of": "vrij van",
"from": "van",
@ -250,20 +291,29 @@
"hide_in_sidebar_description": "Voorkom dat deze tag wordt weergegeven in de zijbalk van de app.",
"hide_location_from_view": "Verberg locatie en inhoud uit het zicht",
"home": "Thuismap",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Pictogramgrootte",
"image": "Image",
"image_labeler_ai_model": "AI model voor beeldlabelherkenning",
"image_labeler_ai_model_description": "Het model dat wordt gebruikt om objecten in afbeeldingen te herkennen. Grotere modellen zijn nauwkeuriger, maar langzamer.",
"import": "Importeer",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "Geïndexeerd",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Standaard functioneert een indexeringsregel als een Afwijzingslijst, wat resulteert in de uitsluiting van alle bestanden die aan de criteria voldoen. Als u deze optie inschakelt, wordt deze omgezet in een lijst met toegestane bestanden, waardoor de locatie alleen bestanden kan indexeren die aan de opgegeven regels voldoen.",
"indexer_rules": "Indexeringsregels",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Met Indexeringsregels kan je paden opgeven die je wilt negeren met behulp van globs.",
"install": "Installeer",
"install_update": "Installeer Update",
"installed": "Geïnstalleerd",
"item": "item",
"item_size": "Item grootte",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"items": "items",
"job_has_been_canceled": "Taak is geannuleerd.",
"job_has_been_paused": "Taak is gepauzeerd.",
"job_has_been_removed": "Taak is verwijderd.",
@ -280,11 +330,15 @@
"keys": "Sleutels",
"kilometers": "Kilometers",
"kind": "Type",
"kind_one": "Type",
"kind_other": "Types",
"label": "Label",
"labels": "Labels",
"language": "Taal",
"language_description": "Wijzig de taal van de Spacedrive interface",
"learn_more": "Learn More",
"learn_more_about_telemetry": "Meer informatie over telemetrie",
"less": "less",
"libraries": "Bibliotheken",
"libraries_description": "De database bevat all bibliotheek gegevens en metagegevens van bestanden.",
"library": "Bibliotheek",
@ -295,6 +349,7 @@
"library_settings": "Bibliotheek Instellingen",
"library_settings_description": "Algemene Instellingen met betrekking to de momenteel actieve bibliotheek.",
"light": "Licht",
"link": "Link",
"list_view": "Lijstweergave",
"list_view_notice_description": "Navigeer eenvoudig door je bestanden en mappen met Lijstweergave. In deze weergave worden je bestanden weergegeven in een eenvoudige, georganiseerde lijstindeling, zodat je snel de bestanden kunt vinden en openen die je nodig hebt.",
"loading": "Laden",
@ -302,6 +357,8 @@
"local_locations": "Lokale Locaties",
"local_node": "Lokale Node",
"location": "Locatie",
"location_one": "Locatie",
"location_other": "Locaties",
"location_connected_tooltip": "De locatie wordt in de gaten gehouden voor wijzigingen",
"location_disconnected_tooltip": "De locatie wordt niet in de gaten gehouden voor wijzigingen",
"location_display_name_info": "De naam van deze Locatie, deze wordt weergegeven in de zijbalk. Zal de daadwerkelijke map op schijf niet hernoemen.",
@ -329,6 +386,7 @@
"media_view_notice_description": "Ontdek eenvoudig foto's en video's, Mediaweergave toont resultaten vanaf de huidige locatie, inclusief submappen.",
"meet_contributors_behind_spacedrive": "Maak kennis met de bijdragers achter Spacedrive=",
"meet_title": "Maak kennis met {{title}}",
"mesh": "Mesh",
"miles": "Mijlen",
"mode": "Modus",
"modified": "Gewijzigd",
@ -339,6 +397,7 @@
"move_files": "Verplaats Bestanden",
"move_forward_within_quick_preview": "Vooruit bewegen binnen snelle voorvertoning",
"move_to_trash": "Verplaatsen naar prullenbak",
"my_sick_location": "My sick location",
"name": "Naam",
"navigate_back": "Navigeer terug",
"navigate_backwards": "Terug navigeren",
@ -352,6 +411,7 @@
"network": "Netwerk",
"network_page_description": "Andere Spacedrive nodes op je LAN verschijnen hier, samen met je standaard OS netwerkkoppelingen.",
"networking": "Netwerk",
"networking_error": "Error starting up networking!",
"networking_port": "Netwerk Poort",
"networking_port_description": "De poort waarop het Peer-to-peer netwerk van Spacedrive kan communiceren. Je moet dit uitgeschakeld laten, tenzij je een beperkende firewall hebt. Deze poort niet openstellen aan het internet!",
"new": "Nieuw",
@ -362,6 +422,7 @@
"new_tab": "Nieuw Tabblad",
"new_tag": "Nieuwe tag",
"new_update_available": "Nieuwe update beschikbaar!",
"no_apps_available": "No apps available",
"no_favorite_items": "Geen favoriete items",
"no_items_found": "Geen items gevonden",
"no_jobs": "Geen taken.",
@ -376,6 +437,7 @@
"nodes_description": "Beheer de nodes die met deze bibliotheek zijn verbonden. Een node is een instantie van de Spacedrive backend, die op een apparaat of server draait. Elke node houdt een kopie van de database bij en synchroniseert deze in realtime via peer-to-peer verbindingen.",
"none": "Geen",
"normal": "Normaal",
"note": "Note",
"not_you": "Ben je dit niet?",
"nothing_selected": "Niets geselecteerd",
"number_of_passes": "# runs",
@ -386,14 +448,17 @@
"open": "Open",
"open_file": "Open Bestand",
"open_in_new_tab": "Openen in nieuw tabblad",
"open_logs": "Open Logs",
"open_new_location_once_added": "Open nieuwe locatie zodra deze is toegevoegd",
"open_new_tab": "Nieuw tabblad openen",
"open_object": "Object openen",
"open_object_from_quick_preview_in_native_file_manager": "Object van snelle voorvertoning openen in de native bestandsbeheerder",
"open_settings": "Open Instellingen",
"open_with": "Open met",
"opening_trash": "Opening Trash",
"or": "OF",
"overview": "Overzicht",
"package": "Package",
"page": "Pagina",
"page_shortcut_description": "Verschillende pagina's in de app",
"pair": "Koppel",
@ -404,16 +469,20 @@
"path": "Pad",
"path_copied_to_clipboard_description": "Pad van locatie {{location}} gekopieerd naar klembord.",
"path_copied_to_clipboard_title": "Pad gekopieerd naar klembord",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Pad",
"pause": "Pauzeer",
"peers": "Peers",
"people": "Personen",
"pin": "Pin",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Preview media",
"preview_media_bytes_description": "De totale grootte van alle voorbeeldmedia-bestanden, zoals miniaturen.",
"privacy": "Privacy",
"privacy_description": "Spacedrive is gebouwd met het oog op privacy, daarom zijn we open source en \"local first\". Daarom maken we heel duidelijk welke gegevens met ons worden gedeeld.",
"quick_preview": "Snelle Voorvertoning",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Geef snel weer",
"recent_jobs": "Recente Taken",
"recents": "Recent",
@ -423,6 +492,7 @@
"regenerate_thumbs": "Regenereer Miniaturen",
"reindex": "Herindexeren",
"reject": "Afwijzen",
"reject_files": "Reject files",
"reload": "Herlaad",
"remove": "Verwijder",
"remove_from_recents": "Verwijder van Recent",
@ -433,17 +503,24 @@
"rescan_directory": "Bibliotheek Opnieuw Scannen",
"rescan_location": "Locatie Opnieuw Scannen",
"reset": "Reset",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Bronnen",
"restore": "Herstel",
"resume": "Hervat",
"retry": "Probeer Opnieuw",
"reveal_in_native_file_manager": "Onthullen in de native bestandsbeheerder",
"revel_in_browser": "Toon in {{browser}}",
"rules": "Rules",
"running": "Actief",
"save": "Opslaan",
"save_changes": "Wijzigingen Opslaan",
"save_search": "Zoekopdracht Opslaan",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Opgeslagen Zoekopdrachten",
"screenshot": "Screenshot",
"search": "Zoekopdracht",
"search_extensions": "Zoek extensies",
"search_for_files_and_actions": "Zoeken naar bestanden en acties...",
@ -451,7 +528,10 @@
"secure_delete": "Veilig verwijderen",
"security": "Veiligheid",
"security_description": "Houd je client veilig.",
"see_more": "See more",
"see_less": "See less",
"send": "Verstuur",
"send_report": "Send Report",
"settings": "Instellingen",
"setup": "Instellen",
"share": "Delen",
@ -499,12 +579,16 @@
"sync_with_library": "Synchroniseer met Bibliotheek",
"sync_with_library_description": "Indien ingeschakeld, worden je toetscombinaties gesynchroniseerd met de bibliotheek, anders zijn ze alleen van toepassing op deze client.",
"system": "Systeem",
"tag": "Tag",
"tag_one": "Tag",
"tag_other": "Tags",
"tags": "Tags",
"tags_description": "Beheer je tags.",
"tags_notice_message": "Er zijn geen items toegewezen aan deze tag.",
"telemetry_description": "Schakel in om de ontwikkelaars te voorzien van gedetailleerde gebruik en telemetrie gegevens om de app te verbeteren. Schakel uit om alleen basisgegevens te verzenden: je status, app-versie, core versie en platform (bijvoorbeeld, mobiel, browser, of desktop).",
"telemetry_title": "Deel Aanvullende Telemetrie en Gebruiksgegevens",
"temperature": "Temperatuur",
"text": "Text",
"text_file": "Tekstbestand",
"text_size": "Tekstgrootte",
"thank_you_for_your_feedback": "Bedankt voor je feedback!",
@ -538,9 +622,11 @@
"ui_animations": "UI Animaties",
"ui_animations_description": "Dialogen en andere UI elementen zullen animeren bij het openen en sluiten.",
"unnamed_location": "Naamloze Locatie",
"unknown": "Unknown",
"update": "Bijwerken",
"update_downloaded": "Update gedownload. Herstart Spacedrive om te installeren",
"updated_successfully": "Succesvol bijgewerkt, je gebruikt nu versie {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "Gebruik",
"usage_description": "Je bibliotheek gebruik en hardware informatie",
"vaccum": "Vacuüm",
@ -548,10 +634,13 @@
"vaccum_library_description": "Pak uw database opnieuw in om onnodige ruimte vrij te maken.",
"value": "Waarde",
"version": "Versie {{version}}",
"video": "Video",
"video_preview_not_supported": "Video voorvertoning wordt niet ondersteund.",
"view_changes": "Bekijk wijzigingen",
"want_to_do_this_later": "Wil je dit later doen?",
"web_page_archive": "Web Page Archive",
"website": "Website",
"widget": "Widget",
"with_descendants": "Met Nakomelingen",
"your_account": "Je account",
"your_account_description": "Spacedrive account en informatie.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "У многих из нас есть несколько учетных записей в облаке, диски без резервной копии и данные, которые могут быть утеряны. Мы зависим от облачных сервисов, таких как Google Photos и iCloud, но их возможности ограничены, а совместимость между сервисами и операционными системами практически отсутствует. Фотогалерея не должна быть привязана к экосистеме устройства или использоваться для сбора рекламных данных. Она должна быть независима от операционной системы, постоянна и принадлежать лично Вам. Данные, которые мы создаем, - это наше наследие, которое надолго переживет нас. Технология с открытым исходным кодом - единственный способ обеспечить абсолютный контроль над данными, определяющими нашу жизнь, в неограниченном масштабе.",
"about_vision_title": "Видение",
"accept": "Принять",
"accept_files": "Принять файлы",
"accessed": "Использован",
"account": "Аккаунт",
"actions": "Действия",
@ -16,10 +17,16 @@
"add_location_tooltip": "Добавьте путь в качестве индексированной локации",
"add_locations": "Добавить локации",
"add_tag": "Добавить тег",
"added_location": "Добавлена локация {{name}}",
"adding_location": "Добавляем локацию {{name}}",
"advanced_settings": "Дополнительные настройки",
"album": "Альбом",
"alias": "Псевдоним",
"all_jobs_have_been_cleared": "Все задачи выполнены.",
"alpha_release_description": "Мы рады, что вы можете попробовать Spacedrive, который сейчас находится в стадии альфа-тестирования и демонстрирует новые захватывающие функции. Как и любой другой первый релиз, эта версия может содержать некоторые ошибки. Мы просим вас сообщать о любых проблемах в нашем канале Discord. Ваши ценные отзывы будут способствовать улучшению пользовательского опыта.",
"alpha_release_title": "Альфа версия",
"app_crashed": "Сбой приложения",
"app_crashed_description": "Мы уже за горизонтом событий...",
"appearance": "Внешний вид",
"appearance_description": "Измените внешний вид вашего клиента.",
"apply": "Применить",
@ -28,14 +35,16 @@
"archive_info": "Извлечение данных из библиотеки в виде архива, полезно для сохранения структуры локаций.",
"are_you_sure": "Вы уверены?",
"ask_spacedrive": "Спросите Spacedrive",
"asc": "По возрастанию",
"ascending": "По возрастанию",
"assign_tag": "Присвоить тег",
"audio": "Аудио",
"audio_preview_not_supported": "Предварительный просмотр аудио не поддерживается.",
"back": "Назад",
"backups": "Рез. копии",
"backups_description": "Управляйте вашими копиями базы данных Spacedrive",
"blur_effects": "Эффекты размытия",
"blur_effects_description": "К некоторым компонентам будет применен эффект размытия.",
"book": "Книга",
"cancel": "Отменить",
"cancel_selection": "Отменить выбор",
"celcius": "Цельсий",
@ -53,11 +62,15 @@
"cloud": "Облако",
"cloud_drives": "Облачные диски",
"clouds": "Облачные хр.",
"code": "Код",
"collection": "Коллекция",
"color": "Цвет",
"coming_soon": "Скоро появится",
"contains": "содержит",
"compress": "Сжать",
"config": "Конфигурация",
"configure_location": "Настроить локацию",
"confirm": "Подтвердить",
"connect_cloud": "Подключите облако",
"connect_cloud_description": "Подключите облачные аккаунты к Spacedrive.",
"connect_device": "Подключите устройство",
@ -82,6 +95,7 @@
"create_folder_success": "Создана новая папка: {{name}}.",
"create_library": "Создать библиотеку",
"create_library_description": "Библиотека - это защищенная база данных на устройстве. Ваши файлы остаются на своих местах, библиотека упорядочивает их и хранит все данные, связанные со Spacedrive.",
"create_location": "Создать локацию",
"create_new_library": "Создайте новую библиотеку",
"create_new_library_description": "Библиотека - это защищенная база данных на устройстве. Ваши файлы остаются на своих местах, библиотека упорядочивает их и хранит все данные, связанные со Spacedrive.",
"create_new_tag": "Создать новый тег",
@ -98,6 +112,7 @@
"cut_object": "Вырезать объект",
"cut_success": "Элементы вырезаны",
"dark": "Тёмная",
"database": "База данных",
"data_folder": "Папка с данными",
"date_accessed": "Дата доступа",
"date_created": "Дата создания",
@ -109,15 +124,18 @@
"debug_mode": "Режим отладки",
"debug_mode_description": "Включите дополнительные функции отладки в приложении.",
"default": "Стандартный",
"desc": "По убыванию",
"descending": "По убыванию",
"random": "Случайный",
"ipv4_listeners_error": "Ошибка при создании слушателей IPv4. Пожалуйста, проверьте настройки брандмауэра!",
"ipv4_ipv6_listeners_error": "Ошибка при создании слушателей IPv4 и IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"ipv6": "Сеть IPv6",
"ipv6_description": "Разрешить одноранговую связь с использованием сети IPv6.",
"ipv6_listeners_error": "Ошибка при создании слушателей IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"is": "это",
"is_not": "не",
"is_not": "не",
"default_settings": "Настройки по умолчанию",
"delete": "Удалить",
"delete_dialog_title": "Удалить {{prefix}} {{type}}",
"delete_dialog_title": "Удалить {{type}} ({{prefix}})",
"delete_forever": "Удалить",
"delete_info": "Это не удалит саму папку на диске. Будет удалено медиа-превью.",
"delete_library": "Удалить библиотеку",
@ -126,9 +144,10 @@
"delete_location_description": "При удалении локации все связанные с ним файлы будут удалены из базы данных Spacedrive, сами файлы при этом не будут удалены с устройства.",
"delete_object": "Удалить объект",
"delete_rule": "Удалить правило",
"delete_rule_confirmation": "Вы уверены, что хотите удалить это правило?",
"delete_tag": "Удалить тег",
"delete_tag_description": "Вы уверены, что хотите удалить этот тег? Это действие нельзя отменить, и тегнутые файлы будут отсоединены.",
"delete_warning": "Это действие приведет к удалению вашего {{type}}. На данный момент это действие невозможно отменить. Если переместите файл в корзину, вы сможете восстановить его позже.",
"delete_warning": "Это действие удалит {{type}}. На данный момент это действие невозможно отменить. Если переместите в корзину, вы сможете восстановить {{type}} позже.",
"description": "Описание",
"deselect": "Отменить выбор",
"details": "Подробности",
@ -136,15 +155,21 @@
"devices_coming_soon_tooltip": "Скоро будет! Эта альфа-версия не включает синхронизацию библиотек, она будет готова очень скоро.",
"dialog": "Диалоговое окно",
"dialog_shortcut_description": "Выполнение действий и операций",
"direction": "Направление",
"direction": "Порядок",
"directory": "директорию",
"directories": "директории",
"disabled": "Отключено",
"disconnected": "Отключен",
"display_formats": "Форматы отображения",
"display_name": "Отображаемое имя",
"distance": "Расстояние",
"do_the_thing": "Сделать дело",
"document": "Документ",
"done": "Готово",
"dont_show_again": "Не показывать снова",
"double_click_action": "Действие двойного нажатия",
"dont_have_any": "Похоже, у вас их нет!",
"dotfile": "Dot-файл",
"double_click_action": "Действие на двойной клик",
"download": "Скачать",
"downloading_update": "Загрузка обновления",
"duplicate": "Дублировать",
@ -167,6 +192,7 @@
"encrypt_library": "Зашифровать библиотеку",
"encrypt_library_coming_soon": "Шифрование библиотеки скоро появится",
"encrypt_library_description": "Включить шифрование этой библиотеки, при этом будет зашифрована только база данных Spacedrive, но не сами файлы.",
"encrypted": "Зашифрованный",
"ends_with": "заканчивается на",
"ephemeral_notice_browse": "Просматривайте файлы и папки прямо с устройства.",
"ephemeral_notice_consider_indexing": "Рассмотрите возможность индексирования ваших локаций для более быстрого и эффективного поиска.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Настройте параметры удаления.",
"error": "Ошибка",
"error_loading_original_file": "Ошибка при загрузке исходного файла",
"error_message": "Ошибка: {{error}}.",
"expand": "Развернуть",
"explorer": "Проводник",
"explorer_settings": "Настройки проводника",
@ -185,25 +212,32 @@
"export_library": "Экспорт библиотеки",
"export_library_coming_soon": "Экспорт библиотеки скоро станет возможным",
"export_library_description": "Экспортируйте эту библиотеку в файл.",
"executable": "Исп. файл",
"extension": "Расширение",
"extensions": "Расширения",
"extensions_description": "Установите расширения, чтобы расширить функциональность этого клиента.",
"fahrenheit": "Фаренгейт",
"failed_to_add_location": "Не удалось добавить локацию",
"failed_to_cancel_job": "Не удалось отменить задачу.",
"failed_to_clear_all_jobs": "Не удалось выполнить все задачи.",
"failed_to_copy_file": "Не удалось скопировать файл",
"failed_to_copy_file_path": "Не удалось скопировать путь к файлу",
"failed_to_cut_file": "Не удалось вырезать файл",
"failed_to_delete_rule": "Не удалось удалить правило",
"failed_to_download_update": "Не удалось загрузить обновление",
"failed_to_duplicate_file": "Не удалось создать дубликат файла",
"failed_to_generate_checksum": "Не удалось сгенерировать контрольную сумму",
"failed_to_generate_labels": "Не удалось сгенерировать ярлык",
"failed_to_generate_thumbnails": "Не удалось сгенерировать миниатюры",
"failed_to_load_tags": "Не удалось загрузить теги",
"failed_to_open_file_title": "Не удалось открыть файл",
"failed_to_open_file_body": "Не удалось открыть файл из-за ошибки: {{error}}",
"failed_to_open_file_with": "Не удалось открыть файл при помощи: {{data}}",
"failed_to_pause_job": "Не удалось приостановить задачу.",
"failed_to_reindex_location": "Не удалось переиндексировать локацию",
"failed_to_remove_file_from_recents": "Не удалось удалить файл из недавних",
"failed_to_remove_job": "Не удалось удалить задачу.",
"failed_to_rename_file": "Не удалось переименовать с {{oldName}} на {{newName}}",
"failed_to_rescan_location": "Не удалось выполнить повторное сканирование локации",
"failed_to_resume_job": "Не удалось возобновить задачу.",
"failed_to_update_location_settings": "Не удалось обновить настройки локации",
@ -214,10 +248,17 @@
"feedback_login_description": "Вход в систему позволяет нам отвечать на ваш фидбек",
"feedback_placeholder": "Ваш фидбек...",
"feedback_toast_error_message": "При отправке вашего фидбека произошла ошибка. Пожалуйста, попробуйте еще раз.",
"file": "файл",
"file_already_exist_in_this_location": "Файл уже существует в этой локации",
"file_from": "Файл {{file}} из {{name}}",
"file_indexing_rules": "Правила индексации файлов",
"file_picker_not_supported": "Система выбора файлов не поддерживается на этой платформе",
"files": "файлы",
"filter": "Фильтр",
"filters": "Фильтры",
"folder": "Папка",
"font": "Шрифт",
"for_library": "Для библиотеки {{name}}",
"forward": "Вперед",
"free_of": "своб. из",
"from": "с",
@ -238,7 +279,7 @@
"go_to_recents": "Перейти к недавним",
"go_to_settings": "Перейти в настройки",
"go_to_tag": "Перейти к тегу",
"got_it": "Получилось",
"got_it": "Понятно",
"grid_gap": "Пробел",
"grid_view": "Значки",
"grid_view_notice_description": "Получите визуальный обзор файлов с помощью просмотра значками. В этом представлении файлы и папки отображаются в виде уменьшенных изображений, что позволяет быстро найти нужный файл.",
@ -250,22 +291,31 @@
"hide_in_sidebar_description": "Запретите отображение этого тега в боковой панели.",
"hide_location_from_view": "Скрыть локацию и содержимое из вида",
"home": "Главная",
"hosted_locations": "Размещенные локации",
"hosted_locations_description": "Дополните локальное хранилище нашим облаком!",
"icon_size": "Размер значков",
"image": "Изображение",
"image_labeler_ai_model": "Модель ИИ для генерации ярлыков изображений",
"image_labeler_ai_model_description": "Модель, используемая для распознавания объектов на изображениях. Большие модели более точны, но работают медленнее.",
"import": "Импорт",
"incoming_spacedrop": "Входящий Spacedrop",
"indexed": "Индексирован",
"indexed_new_files": "Индексированы новые файлы {{name}}",
"indexer_rule_reject_allow_label": "По умолчанию правило индексатора работает как список отклоненных, в результате чего исключаются любые файлы, соответствующие его критериям. Включение этого параметра преобразует его в список разрешенных, позволяя локации индексировать только файлы, соответствующие заданным правилам.",
"indexer_rules": "Правила индексатора",
"indexer_rules_error": "Ошибка при извлечении правил индексатора",
"indexer_rules_not_available": "Нет доступных правил индексации",
"indexer_rules_info": "Правила индексатора позволяют указывать пути для игнорирования с помощью шаблонов.",
"install": "Установить",
"install_update": "Установить обновление",
"installed": "Установлено",
"item": "элемент",
"item_size": "Размер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} items",
"item_with_count_many": "{{count}} items",
"item_with_count_few": "{{count}} элементов",
"item_with_count_many": "{{count}} элементов",
"item_with_count_other": "{{count}} элементов",
"items": "элементы",
"job_has_been_canceled": "Задача отменена.",
"job_has_been_paused": "Задача была приостановлена.",
"job_has_been_removed": "Задача была удалена",
@ -282,11 +332,16 @@
"keys": "Ключи",
"kilometers": "Километры",
"kind": "Тип",
"kind_one": "Тип",
"kind_few": "Типа",
"kind_many": "Типов",
"label": "Ярлык",
"labels": "Ярлыки",
"language": "Язык",
"language_description": "Изменить язык интерфейса Spacedrive",
"learn_more": "Узнать больше",
"learn_more_about_telemetry": "Подробнее о телеметрии",
"less": "меньше",
"libraries": "Библиотеки",
"libraries_description": "База данных содержит все данные библиотек и метаданные файлов.",
"library": "Библиотека",
@ -297,6 +352,7 @@
"library_settings": "Настройки библиотеки",
"library_settings_description": "Главные настройки, относящиеся к текущей активной библиотеке.",
"light": "Светлая",
"link": "Ссылка",
"list_view": "Список",
"list_view_notice_description": "Удобная навигация по файлам и папкам с помощью функции просмотра списком. Этот вид отображает файлы в виде простого, упорядоченного списка, позволяя быстро находить и получать доступ к нужным файлам.",
"loading": "Загрузка",
@ -304,6 +360,9 @@
"local_locations": "Локальные локации",
"local_node": "Локальный узел",
"location": "Локация",
"location_one": "Локация",
"location_few": "Локации",
"location_many": "Локаций",
"location_connected_tooltip": "Локация проверяется на изменения",
"location_disconnected_tooltip": "Локация не проверяется на изменения",
"location_display_name_info": "Имя этого месторасположения, которое будет отображаться на боковой панели. Это действие не переименует фактическую папку на диске.",
@ -331,6 +390,7 @@
"media_view_notice_description": "Легко находите фотографии и видео, галерея показывает результаты, начиная с текущей локации, включая вложенные папки.",
"meet_contributors_behind_spacedrive": "Познакомьтесь с участниками проекта Spacedrive",
"meet_title": "Встречайте новый вид проводника: {{title}}",
"mesh": "Ячейка",
"miles": "Мили",
"mode": "Режим",
"modified": "Изменен",
@ -341,6 +401,7 @@
"move_files": "Переместить файлы",
"move_forward_within_quick_preview": "Перемещение вперед в рамках быстрого просмотра",
"move_to_trash": "Переместить в корзину",
"my_sick_location": "Моя великолепная локация",
"name": "Имя",
"navigate_back": "Переход назад",
"navigate_backwards": "Переход назад",
@ -354,6 +415,7 @@
"network": "Сеть",
"network_page_description": "Здесь появятся другие узлы Spacedrive в вашей локальной сети, вместе с включенной вашей ОС по умолчанию.",
"networking": "Работа в сети",
"networking_error": "Ошибка при запуске сети!",
"networking_port": "Сетевой порт",
"networking_port_description": "Порт для одноранговой сети Spacedrive. Если у вас не установлен ограничительный брандмауэр, этот параметр следует оставить отключенным. Не открывайте доступ в Интернет!",
"new": "Новое",
@ -364,6 +426,7 @@
"new_tab": "Новая вкладка",
"new_tag": "Новый тег",
"new_update_available": "Доступно новое обновление!",
"no_apps_available": "Нет доступных приложений",
"no_favorite_items": "Нет избранных файлов",
"no_items_found": "Ничего не найдено",
"no_jobs": "Нет задач.",
@ -376,8 +439,9 @@
"node_name": "Имя узла",
"nodes": "Узлы",
"nodes_description": "Управление узлами, подключенными к этой библиотеке. Узел - это экземпляр бэкэнда Spacedrive, работающий на устройстве или сервере. Каждый узел имеет свою копию базы данных и синхронизируется через одноранговые соединения в режиме реального времени.",
"none": "Нет",
"none": "Не выбрано",
"normal": "Нормальный",
"note": "Заметка",
"not_you": "Не вы?",
"nothing_selected": "Ничего не выбрано",
"number_of_passes": "# пропусков",
@ -388,14 +452,17 @@
"open": "Открыть",
"open_file": "Открыть файл",
"open_in_new_tab": "Открыть в новой вкладке",
"open_logs": "Открыть логи",
"open_new_location_once_added": "Открыть новую локацию после добавления",
"open_new_tab": "Открыть новую вкладку",
"open_object": "Открыть объект",
"open_object_from_quick_preview_in_native_file_manager": "Открытие объекта из быстрого просмотра в родном файловом менеджере",
"open_settings": "Открыть настройки",
"open_with": "Открыть при помощи",
"opening_trash": "Открываем корзину",
"or": "Или",
"overview": "Обзор",
"package": "Пакет",
"page": "Страница",
"page_shortcut_description": "Разные страницы в приложении",
"pair": "Соединить",
@ -406,16 +473,20 @@
"path": "Путь",
"path_copied_to_clipboard_description": "Путь к локации {{location}} скопирован в буфер обмена.",
"path_copied_to_clipboard_title": "Путь скопирован в буфер обмена",
"path_to_save_do_the_thing": "Путь для сохранения при нажатии кнопки «Сделать дело»:",
"paths": "Пути",
"pause": "Пауза",
"peers": "Участники",
"people": "Люди",
"pin": "Закрепить",
"please_select_emoji": "Пожалуйста, выберите эмодзи",
"prefix_a": "1",
"preview_media_bytes": "Медиапревью",
"preview_media_bytes_description": "Общий размер всех медиафайлов предварительного просмотра (миниатюры и др.).",
"privacy": "Приватность",
"privacy_description": "Spacedrive создан для обеспечения конфиденциальности, поэтому у нас открытый исходный код и локальный подход. Поэтому мы четко указываем, какие данные передаются нам.",
"quick_preview": "Быстрый просмотр",
"quick_rescan_started": "Начато быстрое сканирование",
"quick_view": "Быстрый просмотр",
"recent_jobs": "Недавние задачи",
"recents": "Недавнее",
@ -425,6 +496,7 @@
"regenerate_thumbs": "Регенирировать миниатюры",
"reindex": "Переиндексировать",
"reject": "Отклонить",
"reject_files": "Отклонить файлы",
"reload": "Перезагрузить",
"remove": "Удалить",
"remove_from_recents": "Удалить из недавних",
@ -435,17 +507,24 @@
"rescan_directory": "Повторное сканирование директории",
"rescan_location": "Повторное сканирование локации",
"reset": "Сбросить",
"reset_and_quit": "Сброс и выход из приложения",
"reset_confirmation": "Вы уверены, что хотите сбросить настройки Spacedrive? Ваша база данных будет удалена.",
"reset_to_continue": "Мы обнаружили, что вы создали библиотеку с помощью старой версии Spacedrive. Пожалуйста, сбросьте настройки, чтобы продолжить работу с приложением!",
"reset_warning": "ВЫ ПОТЕРЯЕТЕ ВСЕ СУЩЕСТВУЮЩИЕ ДАННЫЕ SPACEDRIVE!",
"resources": "Ресурсы",
"restore": "Восстановить",
"resume": "Возобновить",
"retry": "Повторить",
"reveal_in_native_file_manager": "Открыть в системном проводнике",
"revel_in_browser": "Открыть в {{browser}}",
"rules": "Правила",
"running": "Выполняется",
"save": "Сохранить",
"save_changes": "Сохранить изменения",
"save_search": "Сохранить поиск",
"save_spacedrop": "Сохранить Spacedrop",
"saved_searches": "Сохраненные поисковые запросы",
"screenshot": "Скриншот",
"search": "Поиск",
"search_extensions": "Расширения для поиска",
"search_for_files_and_actions": "Поиск файлов и действий...",
@ -453,7 +532,10 @@
"secure_delete": "Безопасное удаление",
"security": "Безопасность",
"security_description": "Обеспечьте безопасность вашего клиента.",
"see_more": "Показать больше",
"see_less": "Показать меньше",
"send": "Отправить",
"send_report": "Отправить отчёт",
"settings": "Настройки",
"setup": "Настроить",
"share": "Поделиться",
@ -464,10 +546,10 @@
"sharing": "Совместное использование",
"sharing_description": "Управляйте тем, кто имеет доступ к вашим библиотекам.",
"show_details": "Показать подробности",
"show_hidden_files": "Показать скрытые файлы",
"show_hidden_files": "Скрытые файлы",
"show_inspector": "Показать инспектор",
"show_object_size": "Показать размер объекта",
"show_path_bar": "Показать адресную строку",
"show_object_size": "Размер объекта",
"show_path_bar": "Адресная строка",
"show_slider": "Показать ползунок",
"size": "Размер",
"size_b": "Б",
@ -501,12 +583,17 @@
"sync_with_library": "Синхронизация с библиотекой",
"sync_with_library_description": "Если эта опция включена, ваши привязанные клавиши будут синхронизированы с библиотекой, в противном случае они будут применяться только к этому клиенту.",
"system": "Системная",
"tag": "Тег",
"tag_one": "Тег",
"tag_few": "Тега",
"tag_many": "Тегов",
"tags": "Теги",
"tags_description": "Управляйте своими тегами.",
"tags_notice_message": "Этому тегу не присвоено ни одного элемента.",
"telemetry_description": "Включите, чтобы предоставить разработчикам подробные данные об использовании и телеметрии для улучшения приложения. Выключите, чтобы отправлять только основные данные: статус активности, версию приложения, версию ядра и платформу (например, мобильную, веб- или настольную).",
"telemetry_title": "Предоставление дополнительной телеметрии и данных об использовании",
"temperature": "Температура",
"text": "Текст",
"text_file": "Текстовый файл",
"text_size": "Размер текста",
"thank_you_for_your_feedback": "Спасибо за ваш фидбек!",
@ -525,7 +612,7 @@
"toggle_sidebar": "Переключить боковую панель",
"lock_sidebar": "Заблокировать боковую панель",
"hide_sidebar": "Скрыть боковую панель",
"drag_to_resize": "Перетащите, чтобы изменить размер",
"drag_to_resize": "Перетащите для изм. размера",
"click_to_hide": "Щелкните, чтобы скрыть",
"click_to_lock": "Щелкните, чтобы заблокировать",
"tools": "Инструменты",
@ -540,9 +627,11 @@
"ui_animations": "UI Анимации",
"ui_animations_description": "Диалоговые окна и другие элементы пользовательского интерфейса будут анимироваться при открытии и закрытии.",
"unnamed_location": "Безымянная локация",
"unknown": "Неизвестный",
"update": "Обновить",
"update_downloaded": "Обновление загружено. Перезапустите Spacedrive для установки",
"updated_successfully": "Успешно обновлено, вы используете версию {{version}}",
"uploaded_file": "Загружен файл!",
"usage": "Использование",
"usage_description": "Информация об использовании библиотеки и информация об вашем аппаратном обеспечении",
"vaccum": "Вакуум",
@ -550,10 +639,13 @@
"vaccum_library_description": "Переупакуйте базу данных, чтобы освободить ненужное пространство.",
"value": "Значение",
"version": "Версия {{version}}",
"video": "Видео",
"video_preview_not_supported": "Предварительный просмотр видео не поддерживается.",
"view_changes": "Просмотреть изменения",
"want_to_do_this_later": "Хотите сделать это позже?",
"web_page_archive": "Архив веб-страниц",
"website": "Веб-сайт",
"widget": "Виджет",
"with_descendants": "С потомками",
"your_account": "Ваш аккаунт",
"your_account_description": "Учетная запись Spacedrive и информация.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "Birçoğumuzun birden fazla bulut hesabı, yedeklenmemiş sürücüleri ve kaybolma riski taşıyan verileri var. Google Fotoğraflar ve iCloud gibi bulut hizmetlerine bağımlıyız, ancak sınırlı kapasiteyle ve hizmetler ile işletim sistemleri arasında neredeyse sıfır geçiş yapabilirlikle kısıtlanmış durumdayız. Fotoğraf albümleri bir cihaz ekosisteminde sıkışıp kalmamalı veya reklam verileri için kullanılmamalıdır. OS bağımsız, kalıcı ve kişisel olarak sahip olunmalıdır. Oluşturduğumuz veriler, bizden uzun süre yaşayacak mirasımızdır - verilerimiz üzerinde mutlak kontrol sağlamak için açık kaynak teknolojisi tek yoludur, sınırsız ölçekte.",
"about_vision_title": "Vizyon",
"accept": "Kabul Et",
"accept_files": "Accept files",
"accessed": "Erişildi",
"account": "Hesap",
"actions": "Eylemler",
@ -16,10 +17,16 @@
"add_location_tooltip": "Dizin olarak ekleyin",
"add_locations": "Konumlar Ekle",
"add_tag": "Etiket Ekle",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "Gelişmiş Ayarlar",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "Tüm işler temizlendi.",
"alpha_release_description": "Spacedrive'ı Alpha sürümünde denemeniz için heyecanlıyız, heyecan verici yeni özellikleri sergiliyoruz. Her ilk sürümde olduğu gibi, bu sürümde bazı hatalar içerebilir. Karşılaştığınız sorunları Discord kanalımızda bildirerek yardımcı olmanızı rica ediyoruz. Değerli geri bildirimleriniz, kullanıcı deneyimini geliştirmeye büyük katkıda bulunacak.",
"alpha_release_title": "Alfa Sürümü",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "Görünüm",
"appearance_description": "İstemcinizin görünümünü değiştirin.",
"apply": "Başvurmak",
@ -28,14 +35,16 @@
"archive_info": "Verileri Kütüphane'den arşiv olarak çıkarın, Konum klasör yapısını korumak için kullanışlıdır.",
"are_you_sure": "Emin misiniz?",
"ask_spacedrive": "Spacedrive'a sor",
"asc": "Yükselen",
"ascending": "Yükselen",
"assign_tag": "Etiket Ata",
"audio": "Audio",
"audio_preview_not_supported": "Ses önizlemesi desteklenmiyor.",
"back": "Geri",
"backups": "Yedeklemeler",
"backups_description": "Spacedrive veritabanı yedeklerinizi yönetin.",
"blur_effects": "Bulanıklaştırma Efektleri",
"blur_effects_description": "Bazı bileşenlere bulanıklaştırma efekti uygulanacak.",
"book": "book",
"cancel": "İptal",
"cancel_selection": "Seçimi iptal et",
"celcius": "Santigrat",
@ -53,11 +62,15 @@
"cloud": "Bulut",
"cloud_drives": "Bulut Sürücüler",
"clouds": "Bulutlar",
"code": "Code",
"collection": "Collection",
"color": "Renk",
"coming_soon": "Yakında",
"contains": "içerir",
"compress": "Sıkıştır",
"config": "Config",
"configure_location": "Konumu Yapılandır",
"confirm": "Confirm",
"connect_cloud": "Bir bulut bağlayın",
"connect_cloud_description": "Bulut hesaplarınızı Spacedrive'a bağlayın.",
"connect_device": "Bir cihaz bağlayın",
@ -82,6 +95,7 @@
"create_folder_success": "Yeni klasör oluşturuldu: {{name}}",
"create_library": "Kütüphane Oluştur",
"create_library_description": "Kütüphaneler güvenli, cihaz içi bir veritabanıdır. Dosyalarınız olduğu yerde kalır, Kütüphane onları kataloglar ve tüm Spacedrive ile ilgili verileri depolar.",
"create_location": "Create Location",
"create_new_library": "Yeni kütüphane oluştur",
"create_new_library_description": "Kütüphaneler güvenli, cihaz içi bir veritabanıdır. Dosyalarınız olduğu yerde kalır, Kütüphane onları kataloglar ve tüm Spacedrive ile ilgili verileri depolar.",
"create_new_tag": "Yeni Etiket Oluştur",
@ -98,6 +112,7 @@
"cut_object": "Nesneyi kes",
"cut_success": "Öğeleri kes",
"dark": "Karanlık",
"database": "Database",
"data_folder": "Veri Klasörü",
"date_accessed": "Erişilen tarih",
"date_created": "tarih oluşturuldu",
@ -109,12 +124,15 @@
"debug_mode": "Hata Ayıklama Modu",
"debug_mode_description": "Uygulama içinde ek hata ayıklama özelliklerini etkinleştir.",
"default": "Varsayılan",
"desc": "Alçalma",
"descending": "Alçalma",
"random": "Rastgele",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6 ağı",
"ipv6_description": "IPv6 ağını kullanarak eşler arası iletişime izin verin",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "o",
"is_not": "değil",
"is_not": "değil",
"default_settings": "Varsayılan ayarları",
"delete": "Sil",
"delete_dialog_title": "{{prefix}} {{type}} Sil",
@ -126,6 +144,7 @@
"delete_location_description": "Bir konumu silmek, Spacedrive veritabanından ilişkili tüm dosyaları da kaldıracaktır, dosyalar kendileri silinmez.",
"delete_object": "Nesneyi sil",
"delete_rule": "Kuralı Sil",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "Etiketi Sil",
"delete_tag_description": "Bu etiketi silmek istediğinizden emin misiniz? Bu geri alınamaz ve etiketli dosyalar bağlantısız kalacak.",
"delete_warning": "Bu, {{type}}'ınızı sonsuza dek silecek, henüz çöp kutumuz yok...",
@ -137,13 +156,19 @@
"dialog": "İletişim kutusu",
"dialog_shortcut_description": "Eylemler ve işlemler gerçekleştirmek için",
"direction": "Yön",
"directory": "directory",
"directories": "directories",
"disabled": "Devre Dışı",
"disconnected": "Bağlantı kesildi",
"display_formats": "Görüntüleme Formatları",
"display_name": "Görünen İsim",
"distance": "Mesafe",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Tamam",
"dont_show_again": "Tekrar gösterme",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "Çift tıklama eylemi",
"download": "İndir",
"downloading_update": "Güncelleme İndiriliyor",
@ -167,6 +192,7 @@
"encrypt_library": "Kütüphaneyi Şifrele",
"encrypt_library_coming_soon": "Kütüphane şifreleme yakında geliyor",
"encrypt_library_description": "Bu kütüphane için şifrelemeyi etkinleştirin, bu sadece Spacedrive veritabanını şifreler, dosyaların kendisini değil.",
"encrypted": "Encrypted",
"ends_with": "ends with",
"ephemeral_notice_browse": "Dosyalarınızı ve klasörlerinizi doğrudan cihazınızdan göz atın.",
"ephemeral_notice_consider_indexing": "Daha hızlı ve daha verimli bir keşif için yerel konumlarınızı indekslemeyi düşünün.",
@ -176,6 +202,7 @@
"erase_a_file_description": "Silme ayarlarınızı yapılandırın.",
"error": "Hata",
"error_loading_original_file": "Orijinal dosya yüklenirken hata",
"error_message": "Error: {{error}}.",
"expand": "Genişlet",
"explorer": "Gezgin",
"explorer_settings": "Gezgin ayarları",
@ -185,25 +212,32 @@
"export_library": "Kütüphaneyi Dışa Aktar",
"export_library_coming_soon": "Kütüphaneyi dışa aktarma yakında geliyor",
"export_library_description": "Bu kütüphaneyi bir dosya olarak dışa aktar.",
"executable": "Executable",
"extension": "Uzatma",
"extensions": "Uzantılar",
"extensions_description": "Bu istemcinin işlevselliğini genişletmek için uzantıları yükleyin.",
"fahrenheit": "Fahrenheit",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "İş iptal edilemedi.",
"failed_to_clear_all_jobs": "Tüm işler temizlenemedi.",
"failed_to_copy_file": "Dosya kopyalanamadı",
"failed_to_copy_file_path": "Dosya yolu kopyalanamadı",
"failed_to_cut_file": "Dosya kesilemedi",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "Güncelleme indirme başarısız",
"failed_to_duplicate_file": "Dosya kopyalanamadı",
"failed_to_generate_checksum": "Kontrol toplamı oluşturulamadı",
"failed_to_generate_labels": "Etiketler oluşturulamadı",
"failed_to_generate_thumbnails": "Küçük resimler oluşturulamadı",
"failed_to_load_tags": "Etiketler yüklenemedi",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "İş duraklatılamadı.",
"failed_to_reindex_location": "Konum yeniden indekslenemedi",
"failed_to_remove_file_from_recents": "Dosya son kullanılanlardan kaldırılamadı",
"failed_to_remove_job": "İş kaldırılamadı.",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "Konum tekrar taranamadı",
"failed_to_resume_job": "İş devam ettirilemedi.",
"failed_to_update_location_settings": "Konum ayarları güncellenemedi",
@ -214,10 +248,17 @@
"feedback_login_description": "Giriş yapmak, geribildiriminize yanıt vermemizi sağlar",
"feedback_placeholder": "Geribildiriminiz...",
"feedback_toast_error_message": "Geribildiriminizi gönderirken bir hata oluştu. Lütfen tekrar deneyin.",
"file": "file",
"file_already_exist_in_this_location": "Dosya bu konumda zaten mevcut",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Dosya İndeksleme Kuralları",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtre",
"filters": "Filtreler",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "İleri",
"free_of": "ücretsiz",
"from": "gelen",
@ -250,20 +291,29 @@
"hide_in_sidebar_description": "Bu etiketin uygulamanın kenar çubuğunda gösterilmesini engelle.",
"hide_location_from_view": "Konumu ve içeriğini görünümden gizle",
"home": "Ev",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "Simge boyutu",
"image": "Image",
"image_labeler_ai_model": "Resim etiket tanıma AI modeli",
"image_labeler_ai_model_description": "Resimlerdeki nesneleri tanımak için kullanılan model. Daha büyük modeller daha doğru ancak daha yavaştır.",
"import": "İçe Aktar",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "İndekslenmiş",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "Varsayılan olarak, bir indeksleyici kuralı Red listesi olarak işlev görür ve kriterlerine uyan tüm dosyaları hariç tutar. Bu seçeneği etkinleştirerek onu bir İzin listesine dönüştürebilirsiniz, böylece yalnızca belirli kurallarını karşılayan dosyaları indeksler.",
"indexer_rules": "İndeksleyici Kuralları",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Globları kullanarak göz ardı edilecek yolları belirtmenize olanak tanır.",
"install": "Yükle",
"install_update": "Güncellemeyi Yükle",
"installed": "Yüklendi",
"item": "item",
"item_size": "Öğe Boyutu",
"item_with_count_one": "{{count}} madde",
"item_with_count_other": "{{count}} maddeler",
"items": "items",
"job_has_been_canceled": "İş iptal edildi.",
"job_has_been_paused": "İş duraklatıldı.",
"job_has_been_removed": "İş kaldırıldı.",
@ -279,12 +329,16 @@
"keybinds_description": "İstemci tuş bağlamalarını görüntüleyin ve yönetin",
"keys": "Anahtarlar",
"kilometers": "Kilometreler",
"kind": "Nazik",
"kind": "Tip",
"kind_one": "Tip",
"kind_other": "Türleri",
"label": "Etiket",
"labels": "Etiketler",
"language": "Dil",
"language_description": "Spacedrive arayüzünün dilini değiştirin",
"learn_more": "Learn More",
"learn_more_about_telemetry": "Telemetri hakkında daha fazla bilgi edinin",
"less": "less",
"libraries": "Kütüphaneler",
"libraries_description": "Veritabanı tüm kütüphane verilerini ve dosya metaverilerini içerir.",
"library": "Kütüphane",
@ -295,6 +349,7 @@
"library_settings": "Kütüphane Ayarları",
"library_settings_description": "Şu anda aktif olan kütüphane ile ilgili genel ayarlar.",
"light": "Işık",
"link": "Link",
"list_view": "Liste Görünümü",
"list_view_notice_description": "Dosyalarınızın ve klasörlerinizin arasında kolayca gezinmek için Liste Görünümünü kullanın. Bu görünüm dosyalarınızı basit, düzenli bir liste formatında gösterir, ihtiyacınız olan dosyalara hızla ulaşıp onlara erişmenizi sağlar.",
"loading": "Yükleniyor",
@ -302,6 +357,8 @@
"local_locations": "Yerel Konumlar",
"local_node": "Yerel Düğüm",
"location": "Konum",
"location_one": "Konum",
"location_other": "Konumlar",
"location_connected_tooltip": "Konum değişiklikler için izleniyor",
"location_disconnected_tooltip": "Konum değişiklikler için izlenmiyor",
"location_display_name_info": "Bu Konumun adı, kenar çubuğunda gösterilecek olan budur. Diskteki gerçek klasörü yeniden adlandırmaz.",
@ -329,6 +386,7 @@
"media_view_notice_description": "Fotoğrafları ve videoları kolayca keşfedin, Medya Görünümü alt dizinler dahil olmak üzere mevcut konumdan itibaren sonuçları gösterecektir.",
"meet_contributors_behind_spacedrive": "Spacedrive'ın arkasındaki katkıda bulunanlarla tanışın",
"meet_title": "{{title}} ile Tanışın",
"mesh": "Mesh",
"miles": "Mil",
"mode": "Mod",
"modified": "Değiştirildi",
@ -339,6 +397,7 @@
"move_files": "Dosyaları Taşı",
"move_forward_within_quick_preview": "Hızlı önizleme içinde ileri git",
"move_to_trash": "Çöp kutusuna taşıyın",
"my_sick_location": "My sick location",
"name": "Ad",
"navigate_back": "Geri git",
"navigate_backwards": "Geri git",
@ -352,6 +411,7 @@
"network": "Ağ",
"network_page_description": "Yerel Ağınızda diğer Spacedrive düğümleri burada görünecek, varsayılan işletim sistemi ağ bağlantıları ile birlikte.",
"networking": "Ağ",
"networking_error": "Error starting up networking!",
"networking_port": "Ağ Portu",
"networking_port_description": "Spacedrive'in Eşler Arası ağ iletişimi için kullanılacak port. Restriktif bir güvenlik duvarınız yoksa bunu devre dışı bırakmalısınız. İnternete açmayın!",
"new": "Yeni",
@ -362,6 +422,7 @@
"new_tab": "Yeni Sekme",
"new_tag": "Yeni etiket",
"new_update_available": "Yeni Güncelleme Mevcut!",
"no_apps_available": "No apps available",
"no_favorite_items": "Favori öğe yok",
"no_items_found": "hiç bir öğe bulunamadı",
"no_jobs": "İş yok.",
@ -376,6 +437,7 @@
"nodes_description": "Bu kütüphaneye bağlı düğümleri yönetin. Bir düğüm, bir cihazda veya sunucuda çalışan Spacedrive'ın arka ucunun bir örneğidir. Her düğüm bir veritabanı kopyası taşır ve eşler arası bağlantılar üzerinden gerçek zamanlı olarak senkronize olur.",
"none": "Hiçbiri",
"normal": "Normal",
"note": "Note",
"not_you": "Siz değil misiniz?",
"nothing_selected": "Nothing selected",
"number_of_passes": "Geçiş sayısı",
@ -386,14 +448,17 @@
"open": "Aç",
"open_file": "Dosyayı Aç",
"open_in_new_tab": "Yeni sekmede aç",
"open_logs": "Open Logs",
"open_new_location_once_added": "Yeni konum eklendikten sonra aç",
"open_new_tab": "Yeni sekme aç",
"open_object": "Nesneyi aç",
"open_object_from_quick_preview_in_native_file_manager": "Hızlı önizlemedeki nesneyi yerel dosya yöneticisinde aç",
"open_settings": "Ayarları Aç",
"open_with": "İle aç",
"opening_trash": "Opening Trash",
"or": "VEYA",
"overview": "Genel Bakış",
"package": "Package",
"page": "Sayfa",
"page_shortcut_description": "Uygulamadaki farklı sayfalar",
"pair": "Eşle",
@ -404,16 +469,20 @@
"path": "Yol",
"path_copied_to_clipboard_description": "{{location}} konumu için yol panoya kopyalandı.",
"path_copied_to_clipboard_title": "Yol panoya kopyalandı",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Yollar",
"pause": "Durdur",
"peers": "Eşler",
"people": "İnsanlar",
"pin": "Toplu iğne",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "Medya önizleme",
"preview_media_bytes_description": "Küçük resimler gibi tüm önizleme medya dosyalarının toplam boyutu.",
"privacy": "Gizlilik",
"privacy_description": "Spacedrive gizlilik için tasarlandı, bu yüzden açık kaynaklı ve yerel ilkeliyiz. Bu yüzden hangi verilerin bizimle paylaşıldığı konusunda çok açık olacağız.",
"quick_preview": "Hızlı Önizleme",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Hızlı bakış",
"recent_jobs": "Son İşler",
"recents": "Son Kullanılanlar",
@ -423,6 +492,7 @@
"regenerate_thumbs": "Küçük Resimleri Yeniden Oluştur",
"reindex": "Yeniden İndeksle",
"reject": "Reddet",
"reject_files": "Reject files",
"reload": "Yeniden Yükle",
"remove": "Kaldır",
"remove_from_recents": "Son Kullanılanlardan Kaldır",
@ -433,17 +503,24 @@
"rescan_directory": "Dizini Yeniden Tara",
"rescan_location": "Konumu Yeniden Tara",
"reset": "Sıfırla",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "Kaynaklar",
"restore": "Geri Yükle",
"resume": "Devam Ettir",
"retry": "Yeniden Dene",
"reveal_in_native_file_manager": "Yerel dosya yöneticisinde göster",
"revel_in_browser": "{{browser}}'da Göster",
"rules": "Rules",
"running": "Çalışıyor",
"save": "Kaydet",
"save_changes": "Değişiklikleri Kaydet",
"save_search": "Aramayı Kaydet",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "Kaydedilen Aramalar",
"screenshot": "Screenshot",
"search": "Aramak",
"search_extensions": "Arama uzantıları",
"search_for_files_and_actions": "Dosyaları ve eylemleri arayın...",
@ -451,7 +528,10 @@
"secure_delete": "Güvenli sil",
"security": "Güvenlik",
"security_description": "İstemcinizi güvende tutun.",
"see_more": "See more",
"see_less": "See less",
"send": "Gönder",
"send_report": "Send Report",
"settings": "Ayarlar",
"setup": "Kurulum",
"share": "Paylaş",
@ -499,12 +579,16 @@
"sync_with_library": "Kütüphane ile Senkronize Et",
"sync_with_library_description": "Etkinleştirilirse tuş bağlamalarınız kütüphane ile senkronize edilecek, aksi takdirde yalnızca bu istemciye uygulanacak.",
"system": "Sistem",
"tag": "Etiket",
"tag_one": "Etiket",
"tag_other": "Etiketler",
"tags": "Etiketler",
"tags_description": "Etiketlerinizi yönetin.",
"tags_notice_message": "Bu etikete atanan öğe yok.",
"telemetry_description": "Uygulamayı iyileştirmek için geliştiricilere detaylı kullanım ve telemetri verisi sağlamak için AÇIK konumuna getirin. Yalnızca temel verileri göndermek için KAPALI konumuna getirin: faaliyet durumunuz, uygulama sürümü, çekirdek sürümü ve platform (örn., mobil, web veya masaüstü).",
"telemetry_title": "Ek Telemetri ve Kullanım Verisi Paylaş",
"temperature": "Sıcaklık",
"text": "Text",
"text_file": "Metin dosyası",
"text_size": "Metin boyutu",
"thank_you_for_your_feedback": "Geribildiriminiz için teşekkür ederiz!",
@ -538,9 +622,11 @@
"ui_animations": "UI Animasyonları",
"ui_animations_description": "Diyaloglar ve diğer UI elementleri açılırken ve kapanırken animasyon gösterecek.",
"unnamed_location": "İsimsiz Konum",
"unknown": "Unknown",
"update": "Güncelleme",
"update_downloaded": "Güncelleme İndirildi. Yüklemek için Spacedrive'ı yeniden başlatın",
"updated_successfully": "Başarıyla güncellendi, şu anda {{version}} sürümündesiniz",
"uploaded_file": "Uploaded file!",
"usage": "Kullanım",
"usage_description": "Kütüphanenizi kullanımı ve donanım bilgileri",
"vaccum": "Vakum",
@ -548,10 +634,13 @@
"vaccum_library_description": "Gereksiz alanı boşaltmak için veritabanınızı yeniden paketleyin.",
"value": "Değer",
"version": "Sürüm {{version}}",
"video": "Video",
"video_preview_not_supported": "Video ön izlemesi desteklenmiyor.",
"view_changes": "Değişiklikleri Görüntüle",
"want_to_do_this_later": "Bunu daha sonra yapmak ister misiniz?",
"web_page_archive": "Web Page Archive",
"website": "Web Sitesi",
"widget": "Widget",
"with_descendants": "Torunlarla",
"your_account": "Hesabınız",
"your_account_description": "Spacedrive hesabınız ve bilgileri.",

View file

@ -3,6 +3,7 @@
"about_vision_text": "我们很多人拥有不止云账户,磁盘没有备份,数据也有丢失的风险。我们依赖于像 Google 照片、iCloud 这样的云服务,但是它们容量有限,且互操作性几乎为零,云服务和操作系统之间也无法协作。我们的照片不应该困在一种生态系统中,也不应该当广告数据来收割。它们应该与操作系统无关、永久保存、由我们自己所有。我们创造的数据是我们的遗产,它们的寿命会比我们还要长——既然这些数据定义了我们的生活,开源技术是确保我们对这些数据拥有绝对控制权的唯一方式,它的规模没有限制。",
"about_vision_title": "项目远景",
"accept": "接受",
"accept_files": "Accept files",
"accessed": "已访问",
"account": "账户",
"actions": "操作",
@ -16,10 +17,16 @@
"add_location_tooltip": "将路径添加为索引",
"add_locations": "添加位置",
"add_tag": "添加标签",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "高级设置",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "所有任务已清除。",
"alpha_release_description": "感谢试用 Spacedrive。现在 Spacedrive 处于 Alpha 发布阶段,展示了激动人心的新功能。作为初始版本,它可能包含一些错误。我们恳请您在我们的 Discord 频道上反馈遇到的任何问题,您宝贵的反馈将有助于极大增强用户体验。",
"alpha_release_title": "Alpha 版本",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "外观",
"appearance_description": "调整客户端的外观。",
"apply": "申请",
@ -28,14 +35,16 @@
"archive_info": "将库中的数据作为存档提取,有利于保留位置的目录结构。",
"are_you_sure": "您确定吗?",
"ask_spacedrive": "询问 Spacedrive",
"asc": "上升",
"ascending": "上升",
"assign_tag": "分配标签",
"audio": "Audio",
"audio_preview_not_supported": "不支持音频预览。",
"back": "返回",
"backups": "备份",
"backups_description": "管理您的 Spacedrive 数据库备份。",
"blur_effects": "模糊效果",
"blur_effects_description": "某些组件将应用模糊效果。",
"book": "book",
"cancel": "取消",
"cancel_selection": "取消选择",
"celcius": "摄氏度",
@ -53,11 +62,15 @@
"cloud": "雲",
"cloud_drives": "云盘",
"clouds": "云服务",
"code": "Code",
"collection": "Collection",
"color": "颜色",
"coming_soon": "即将推出",
"contains": "包含",
"compress": "压缩",
"config": "Config",
"configure_location": "配置位置",
"confirm": "Confirm",
"connect_cloud": "连接云",
"connect_cloud_description": "将您的云帐户连接到 Spacedrive。",
"connect_device": "连接设备",
@ -82,6 +95,7 @@
"create_folder_success": "创建了新文件夹:{{name}}",
"create_library": "创建库",
"create_library_description": "库library也即数据库database存储在设备上非常安全。您的文件就放在原来的位置上库对它们的目录结构进行索引同时存储所有与 Spacedrive 相关的数据。",
"create_location": "Create Location",
"create_new_library": "创建新库",
"create_new_library_description": "库library也即数据库database存储在设备上非常安全。您的文件就放在原来的位置上库对它们的目录结构进行索引同时存储所有与 Spacedrive 相关的数据。",
"create_new_tag": "创建新标签",
@ -98,6 +112,7 @@
"cut_object": "剪切对象",
"cut_success": "剪切项目",
"dark": "Dark",
"database": "Database",
"data_folder": "数据文件夹",
"date_accessed": "访问日期",
"date_created": "创建日期",
@ -109,12 +124,15 @@
"debug_mode": "调试模式",
"debug_mode_description": "启用本应用额外的调试功能。",
"default": "默认",
"desc": "降序",
"descending": "降序",
"random": "随机的",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6网络",
"ipv6_description": "允许使用 IPv6 网络进行点对点通信",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "是",
"is_not": "不是",
"is_not": "不是",
"default_settings": "默认设置",
"delete": "删除",
"delete_dialog_title": "删除 {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "删除位置时Spacedrive 会从数据库中移除所有与之相关的文件,但是不会删除文件本身。",
"delete_object": "删除对象",
"delete_rule": "删除规则",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "删除标签",
"delete_tag_description": "您确定要删除这个标签吗?此操作不能撤销,打过标签的文件将会取消标签。",
"delete_warning": "警告:这将永久删除您的{{type}},我们目前还没有回收站…",
@ -137,13 +156,19 @@
"dialog": "对话框",
"dialog_shortcut_description": "执行操作",
"direction": "方向",
"directory": "directory",
"directories": "directories",
"disabled": "已禁用",
"disconnected": "已断开连接",
"display_formats": "显示格式",
"display_name": "显示名称",
"distance": "距离",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "完成",
"dont_show_again": "不再显示",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "双击操作",
"download": "下载",
"downloading_update": "正在下载更新",
@ -167,6 +192,7 @@
"encrypt_library": "加密库",
"encrypt_library_coming_soon": "库加密即将推出",
"encrypt_library_description": "为这个库启用加密这只会加密Spacedrive数据库不会加密文件本身。",
"encrypted": "Encrypted",
"ends_with": "以。。结束",
"ephemeral_notice_browse": "直接从您的设备浏览您的文件和文件夹。",
"ephemeral_notice_consider_indexing": "考虑索引您本地的位置,以获得更快和更高效的浏览。",
@ -176,6 +202,7 @@
"erase_a_file_description": "配置您的擦除设置。",
"error": "错误",
"error_loading_original_file": "加载原始文件出错",
"error_message": "Error: {{error}}.",
"expand": "展开",
"explorer": "资源管理器",
"explorer_settings": "资源管理器设置",
@ -185,25 +212,32 @@
"export_library": "导出库",
"export_library_coming_soon": "导出库功能即将推出",
"export_library_description": "将这个库导出到一个文件。",
"executable": "Executable",
"extension": "扩大",
"extensions": "扩展",
"extensions_description": "安装扩展来扩展这个客户端的功能。",
"fahrenheit": "华氏度",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "取消任务失败。",
"failed_to_clear_all_jobs": "清除所有任务失败。",
"failed_to_copy_file": "复制文件失败",
"failed_to_copy_file_path": "复制文件路径失败",
"failed_to_cut_file": "剪切文件失败",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "无法下载更新",
"failed_to_duplicate_file": "复制文件失败",
"failed_to_generate_checksum": "生成校验和失败",
"failed_to_generate_labels": "生成标签失败",
"failed_to_generate_thumbnails": "生成缩略图失败",
"failed_to_load_tags": "加载标签失败",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "暂停任务失败。",
"failed_to_reindex_location": "重索引位置失败",
"failed_to_remove_file_from_recents": "从最近文档中删除文件失败",
"failed_to_remove_job": "删除任务失败。",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "重新扫描位置失败",
"failed_to_resume_job": "恢复任务失败。",
"failed_to_update_location_settings": "更新位置设置失败",
@ -214,10 +248,17 @@
"feedback_login_description": "登录使我们能够回复您的反馈",
"feedback_placeholder": "您的反馈...",
"feedback_toast_error_message": "提交反馈时出错,请重试。",
"file": "file",
"file_already_exist_in_this_location": "文件已存在于此位置",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "文件索引规则",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "筛选",
"filters": "过滤器",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "前进",
"free_of": "自由的",
"from": "从",
@ -250,18 +291,27 @@
"hide_in_sidebar_description": "阻止此标签在应用的侧边栏中显示。",
"hide_location_from_view": "隐藏位置和内容的视图",
"home": "我的文档",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "图标大小",
"image": "Image",
"image_labeler_ai_model": "图像标签识别 AI 模型",
"image_labeler_ai_model_description": "用于识别图像中对象的模型。较大的模型更准确但速度较慢。",
"import": "导入",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "已索引",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "默认情况下,索引器规则作为拒绝列表,排除与其匹配的任何文件。启用此选项将其变成允许列表,仅索引符合其规定规则的位置的文件。",
"indexer_rules": "索引器规则",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "索引器规则允许您使用通配符指定要忽略的路径。",
"install": "安装",
"install_update": "安装更新",
"installed": "已安装",
"item": "item",
"item_size": "项目大小",
"items": "items",
"job_has_been_canceled": "作业已取消。",
"job_has_been_paused": "作业已暂停。",
"job_has_been_removed": "作业已移除。",
@ -278,11 +328,14 @@
"keys": "密钥",
"kilometers": "千米",
"kind": "种类",
"kind_other": "种类",
"label": "标签",
"labels": "标签",
"language": "语言",
"language_description": "更改 Spacedrive 界面的语言",
"learn_more": "Learn More",
"learn_more_about_telemetry": "了解更多有关遥测的信息",
"less": "less",
"libraries": "库",
"libraries_description": "数据库包含所有库的数据和文件的元数据。",
"library": "库",
@ -293,6 +346,7 @@
"library_settings": "库设置",
"library_settings_description": "与当前活动库相关的一般设置。",
"light": "光",
"link": "Link",
"list_view": "列表视图",
"list_view_notice_description": "通过列表视图轻松导航您的文件和文件夹。这种视图以简单、有组织的列表形式显示文件,让您能够快速定位和访问所需文件。",
"loading": "正在加载",
@ -300,6 +354,7 @@
"local_locations": "本地位置",
"local_node": "本地节点",
"location": "地点",
"location_other": "地点",
"location_connected_tooltip": "位置正在监视变化",
"location_disconnected_tooltip": "位置未被监视以检查更改",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
@ -327,6 +382,7 @@
"media_view_notice_description": "轻松发现照片和视频,媒体视图将从当前位置开始显示结果,包括子目录。",
"meet_contributors_behind_spacedrive": "结识 Spacedrive 背后的贡献者",
"meet_title": "了解{{title}}",
"mesh": "Mesh",
"miles": "英里",
"mode": "模式",
"modified": "已修改",
@ -337,6 +393,7 @@
"move_files": "移动文件",
"move_forward_within_quick_preview": "在快速预览中前进",
"move_to_trash": "移到回收站(废纸篓)",
"my_sick_location": "My sick location",
"name": "名称",
"navigate_back": "回退",
"navigate_backwards": "向后导航",
@ -350,6 +407,7 @@
"network": "网络",
"network_page_description": "您的局域网上的其他Spacedrive节点将显示在这里以及您的默认操作系统网络挂载。",
"networking": "网络",
"networking_error": "Error starting up networking!",
"networking_port": "网络端口",
"networking_port_description": "Spacedrive 点对点网络通信使用的端口。除非您有防火墙来限制,否则应保持此项禁用。不要在互联网上暴露自己!",
"new": "新的",
@ -360,6 +418,7 @@
"new_tab": "新标签",
"new_tag": "新标签",
"new_update_available": "新版本可用!",
"no_apps_available": "No apps available",
"no_favorite_items": "没有最喜欢的物品",
"no_items_found": "找不到任何项目",
"no_jobs": "没有任务。",
@ -374,6 +433,7 @@
"nodes_description": "管理连接到此库的节点。节点是在设备或服务器上运行的Spacedrive后端的实例。每个节点都携带数据库副本并通过点对点连接实时同步。",
"none": "无",
"normal": "普通",
"note": "Note",
"not_you": "不是您?",
"nothing_selected": "未选择任何内容",
"number_of_passes": "通过次数",
@ -384,14 +444,17 @@
"open": "打开",
"open_file": "打开文件",
"open_in_new_tab": "在新标签页中打开",
"open_logs": "Open Logs",
"open_new_location_once_added": "添加新位置后立即打开",
"open_new_tab": "打开新标签页",
"open_object": "打开对象",
"open_object_from_quick_preview_in_native_file_manager": "在本机文件管理器中从快速预览中打开对象",
"open_settings": "打开设置",
"open_with": "打开方式",
"opening_trash": "Opening Trash",
"or": "或",
"overview": "概览",
"package": "Package",
"page": "页面",
"page_shortcut_description": "应用程序中的不同页面",
"pair": "配对",
@ -402,16 +465,20 @@
"path": "路径",
"path_copied_to_clipboard_description": "位置{{location}}的路径已复制到剪贴板。",
"path_copied_to_clipboard_title": "路径已复制到剪贴板",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "路径",
"pause": "暂停",
"peers": "个端点",
"people": "人们",
"pin": "别针",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "预览媒体",
"preview_media_bytes_description": "所有预览媒体文件(例如缩略图)的总大小。",
"privacy": "隐私",
"privacy_description": "Spacedrive是为隐私而构建的这就是为什么我们是开源的以本地优先。因此我们会非常明确地告诉您与我们分享了什么数据。",
"quick_preview": "快速预览",
"quick_rescan_started": "Quick rescan started",
"quick_view": "快速查看",
"recent_jobs": "最近的作业",
"recents": "最近使用",
@ -421,6 +488,7 @@
"regenerate_thumbs": "重新生成缩略图",
"reindex": "重新索引",
"reject": "拒绝",
"reject_files": "Reject files",
"reload": "重新加载",
"remove": "移除",
"remove_from_recents": "从最近使用中移除",
@ -431,17 +499,24 @@
"rescan_directory": "重新扫描目录",
"rescan_location": "重新扫描位置",
"reset": "重置",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "资源",
"restore": "恢复",
"resume": "恢复",
"retry": "重试",
"reveal_in_native_file_manager": "在本机文件管理器中显示",
"revel_in_browser": "在{{browser}}中显示",
"rules": "Rules",
"running": "运行中",
"save": "保存",
"save_changes": "保存更改",
"save_search": "保存搜索",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "保存的搜索",
"screenshot": "Screenshot",
"search": "搜索",
"search_extensions": "搜索扩展",
"search_for_files_and_actions": "搜索文件和操作...",
@ -449,7 +524,10 @@
"secure_delete": "安全删除",
"security": "安全",
"security_description": "确保您的客户端安全。",
"see_more": "See more",
"see_less": "See less",
"send": "发送",
"send_report": "Send Report",
"settings": "设置",
"setup": "设置",
"share": "分享",
@ -497,12 +575,15 @@
"sync_with_library": "与库同步",
"sync_with_library_description": "如果启用,您的键绑定将与库同步,否则它们只适用于此客户端。",
"system": "系统",
"tag": "标签",
"tag_other": "标签",
"tags": "标签",
"tags_description": "管理您的标签。",
"tags_notice_message": "没有项目分配给该标签。",
"telemetry_description": "启用以向开发者提供详细的使用情况和遥测数据来改善应用程序。禁用则将只发送基本数据您的活动状态、应用版本、应用内核版本以及平台例如移动端、web 端或桌面端)。",
"telemetry_title": "共享额外的遥测和使用数据",
"temperature": "温度",
"text": "Text",
"text_file": "文本文件",
"text_size": "文字大小",
"thank_you_for_your_feedback": "感谢您的反馈!",
@ -536,9 +617,11 @@
"ui_animations": "用户界面动画",
"ui_animations_description": "打开和关闭时对话框和其他用户界面元素将产生动画效果。",
"unnamed_location": "未命名位置",
"unknown": "Unknown",
"update": "更新",
"update_downloaded": "更新已下载。重新启动 Spacedrive 以安装",
"updated_successfully": "成功更新,您当前使用的是版本 {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "使用情况",
"usage_description": "您的库使用情况和硬件信息",
"vaccum": "真空",
@ -546,10 +629,13 @@
"vaccum_library_description": "重新打包数据库以释放不必要的空间。",
"value": "值",
"version": "版本 {{version}}",
"video": "Video",
"video_preview_not_supported": "不支持视频预览。",
"view_changes": "查看更改",
"want_to_do_this_later": "想稍后再做吗?",
"web_page_archive": "Web Page Archive",
"website": "网站",
"widget": "Widget",
"with_descendants": "与后代",
"your_account": "您的账户",
"your_account_description": "Spacedrive账号和信息。",

View file

@ -3,6 +3,7 @@
"about_vision_text": "我們中的許多人都擁有數個雲帳戶這些雲帳戶中的硬碟未備份且資料面臨丟失的風險。我們依賴諸如Google照片和iCloud之類的雲服務但這些服務容量有限且幾乎不能在不同的服務及作業系統間進行互通。相簿不應僅限於某個裝置生態系統內或被用於收集廣告數據。它們應該是與作業系統無關永久且屬於個人所有的。我們創建的數據是我們的遺產它們將比我們存活得更久——開源技術是確保我們對定義我們生活的數據擁有絕對控制權的唯一方式並且無限規模地延伸。",
"about_vision_title": "遠景",
"accept": "接受",
"accept_files": "Accept files",
"accessed": "訪問的",
"account": "帳號",
"actions": "行動",
@ -16,10 +17,16 @@
"add_location_tooltip": "添加路徑作為索引位置",
"add_locations": "添加位置",
"add_tag": "添加標籤",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced_settings": "高級設置",
"album": "Album",
"alias": "Alias",
"all_jobs_have_been_cleared": "所有工作已被清除。",
"alpha_release_description": "我們很高興您嘗試Spacedrive現在以Alpha版發布展示激動人心的新功能。與任何初始版本一樣這個版本可能包含一些錯誤。我們誠懇請求您協助我們在Discord頻道報告您遇到的任何問題。您寶貴的反饋將極大地促進用戶體驗的提升。",
"alpha_release_title": "Alpha版本",
"app_crashed": "APP CRASHED",
"app_crashed_description": "We're past the event horizon...",
"appearance": "外觀",
"appearance_description": "改變您的客戶端外觀。",
"apply": "申請",
@ -28,14 +35,16 @@
"archive_info": "將數據從圖書館中提取出來作為存檔,用途是保存位置文件夾結構。",
"are_you_sure": "您確定嗎?",
"ask_spacedrive": "詢問 Spacedrive",
"asc": "上升",
"ascending": "上升",
"assign_tag": "指定標籤",
"audio": "Audio",
"audio_preview_not_supported": "不支援音頻預覽。",
"back": "返回",
"backups": "備份",
"backups_description": "管理您的Spacedrive數據庫備份。",
"blur_effects": "模糊效果",
"blur_effects_description": "某些組件將應用模糊效果。",
"book": "book",
"cancel": "取消",
"cancel_selection": "取消選擇",
"celcius": "攝氏",
@ -53,11 +62,15 @@
"cloud": "雲",
"cloud_drives": "雲端硬碟",
"clouds": "雲",
"code": "Code",
"collection": "Collection",
"color": "顏色",
"coming_soon": "即將推出",
"contains": "包含",
"compress": "壓縮",
"config": "Config",
"configure_location": "配置位置",
"confirm": "Confirm",
"connect_cloud": "連接雲",
"connect_cloud_description": "將您的雲端帳戶連接到 Spacedrive。",
"connect_device": "連接裝置",
@ -82,6 +95,7 @@
"create_folder_success": "建立了新資料夾:{{name}}",
"create_library": "創建圖書館",
"create_library_description": "圖書館是一個安全的、設備上的數據庫。您的文件保留在原地圖書館對其進行目錄整理並存儲所有Spacedrive相關數據。",
"create_location": "Create Location",
"create_new_library": "創建新圖書館",
"create_new_library_description": "圖書館是一個安全的、設備上的數據庫。您的文件保留在原地圖書館對其進行目錄整理並存儲所有Spacedrive相關數據。",
"create_new_tag": "創建新標籤",
@ -98,6 +112,7 @@
"cut_object": "剪下物件",
"cut_success": "剪下項目",
"dark": "黑暗的",
"database": "Database",
"data_folder": "數據文件夾",
"date_accessed": "訪問日期",
"date_created": "建立日期",
@ -109,12 +124,15 @@
"debug_mode": "除錯模式",
"debug_mode_description": "在應用程序中啟用額外的除錯功能。",
"default": "默認",
"desc": "降序",
"descending": "降序",
"random": "隨機的",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6網路",
"ipv6_description": "允許使用 IPv6 網路進行點對點通訊",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "伊斯蘭國",
"is_not": "不是",
"is_not": "不是",
"default_settings": "預設設定",
"delete": "刪除",
"delete_dialog_title": "刪除 {{prefix}} {{type}}",
@ -126,6 +144,7 @@
"delete_location_description": "刪除一個位置還將從Spacedrive數據庫中移除與其相關的所有文件文件本身不會被刪除。",
"delete_object": "刪除物件",
"delete_rule": "刪除規則",
"delete_rule_confirmation": "Are you sure you want to delete this rule?",
"delete_tag": "刪除標籤",
"delete_tag_description": "您確定要刪除這個標籤嗎?這不能撤銷,並且帶有標籤的文件將被取消鏈接。",
"delete_warning": "這將永遠刪除您的{{type}},我們還沒有垃圾箱...",
@ -137,13 +156,19 @@
"dialog": "對話框",
"dialog_shortcut_description": "執行操作和操作",
"direction": "方向",
"directory": "directory",
"directories": "directories",
"disabled": "已禁用",
"disconnected": "已斷開連接",
"display_formats": "顯示格式",
"display_name": "顯示名稱",
"distance": "距離",
"do_the_thing": "Do the thing",
"document": "Document",
"done": "完成",
"dont_show_again": "不再顯示",
"dont_have_any": "Looks like you don't have any!",
"dotfile": "Dotfile",
"double_click_action": "雙擊操作",
"download": "下載",
"downloading_update": "下載更新",
@ -167,6 +192,7 @@
"encrypt_library": "加密圖書館",
"encrypt_library_coming_soon": "圖書館加密即將推出",
"encrypt_library_description": "為這個圖書館啟用加密這將僅加密Spacedrive數據庫而不是文件本身。",
"encrypted": "Encrypted",
"ends_with": "以。",
"ephemeral_notice_browse": "直接從您的設備瀏覽您的文件和文件夾。",
"ephemeral_notice_consider_indexing": "考慮索引您的本地位置,以實現更快更高效的探索。",
@ -176,6 +202,7 @@
"erase_a_file_description": "配置您的擦除設置。",
"error": "錯誤",
"error_loading_original_file": "加載原始文件出錯",
"error_message": "Error: {{error}}.",
"expand": "展開",
"explorer": "資源管理器",
"explorer_settings": "資源管理器設定",
@ -185,25 +212,32 @@
"export_library": "導出圖書館",
"export_library_coming_soon": "導出圖書館即將推出",
"export_library_description": "將此圖書館導出到文件。",
"executable": "Executable",
"extension": "擴大",
"extensions": "擴展",
"extensions_description": "安裝擴展以擴展此客戶端的功能。",
"fahrenheit": "華氏",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "取消工作失敗。",
"failed_to_clear_all_jobs": "清除所有工作失敗。",
"failed_to_copy_file": "複製檔案失敗",
"failed_to_copy_file_path": "複製文件路徑失敗",
"failed_to_cut_file": "剪下檔案失敗",
"failed_to_delete_rule": "Failed to delete rule",
"failed_to_download_update": "無法下載更新",
"failed_to_duplicate_file": "複製文件失敗",
"failed_to_generate_checksum": "生成校驗和失敗",
"failed_to_generate_labels": "生成標籤失敗",
"failed_to_generate_thumbnails": "生成縮略圖失敗",
"failed_to_load_tags": "加載標籤失敗",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "暫停工作失敗。",
"failed_to_reindex_location": "重新索引位置失敗",
"failed_to_remove_file_from_recents": "從最近文件中移除文件失敗",
"failed_to_remove_job": "移除工作失敗。",
"failed_to_rename_file": "Could not rename {{oldName}} to {{newName}}",
"failed_to_rescan_location": "重新掃描位置失敗",
"failed_to_resume_job": "恢復工作失敗。",
"failed_to_update_location_settings": "更新位置設置失敗",
@ -214,10 +248,17 @@
"feedback_login_description": "登入可讓我們回應您的回饋",
"feedback_placeholder": "您的回饋...",
"feedback_toast_error_message": "提交回饋時發生錯誤。請重試。",
"file": "file",
"file_already_exist_in_this_location": "該位置已存在該檔案",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "文件索引規則",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "篩選",
"filters": "篩選器",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forward": "前進",
"free_of": "自由的",
"from": "從",
@ -250,18 +291,27 @@
"hide_in_sidebar_description": "防止此標籤在應用的側欄中顯示。",
"hide_location_from_view": "從視圖中隱藏位置和內容",
"home": "主頁",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
"icon_size": "圖示大小",
"image": "Image",
"image_labeler_ai_model": "圖像標籤識別AI模型",
"image_labeler_ai_model_description": "用於識別圖像中對象的模型。模型越大,準確性越高,但速度越慢。",
"import": "導入",
"incoming_spacedrop": "Incoming Spacedrop",
"indexed": "已索引",
"indexed_new_files": "Indexed new files {{name}}",
"indexer_rule_reject_allow_label": "默認情況下,索引器規則作為拒絕列表,導致與其匹配的任何文件被排除在外。啟用此選項將其變為允許列表,使位置僅索引符合其規定規則的文件。",
"indexer_rules": "索引器規則",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "索引器規則允許您使用通配符指定要忽略的路徑。",
"install": "安裝",
"install_update": "安裝更新",
"installed": "已安裝",
"item": "item",
"item_size": "項目大小",
"items": "items",
"job_has_been_canceled": "工作已取消。",
"job_has_been_paused": "工作已暫停。",
"job_has_been_removed": "工作已移除。",
@ -278,11 +328,14 @@
"keys": "鍵",
"kilometers": "公里",
"kind": "種類",
"kind_other": "種類",
"label": "標籤",
"labels": "標籤",
"language": "語言",
"language_description": "更改Spacedrive界面的語言",
"learn_more": "Learn More",
"learn_more_about_telemetry": "了解更多關於遙測的信息",
"less": "less",
"libraries": "圖書館",
"libraries_description": "數據庫包含所有圖書館數據和文件元數據。",
"library": "圖書館",
@ -293,6 +346,7 @@
"library_settings": "圖書館設置",
"library_settings_description": "與當前活躍圖書館相關的通用設置。",
"light": "光",
"link": "Link",
"list_view": "列表視圖",
"list_view_notice_description": "使用列表視圖輕鬆導航您的文件和文件夾。這個視圖以簡單、有組織的列表格式顯示您的文件,幫助您快速定位和訪問所需文件。",
"loading": "加載中",
@ -300,6 +354,7 @@
"local_locations": "本地位置",
"local_node": "本地節點",
"location": "地點",
"location_other": "地點",
"location_connected_tooltip": "正在監視位置是否有變化",
"location_disconnected_tooltip": "正在監視位置是否有變化",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
@ -327,6 +382,7 @@
"media_view_notice_description": "輕鬆發現照片和視頻,媒體視圖會從當前位置(包括子目錄)顯示結果。",
"meet_contributors_behind_spacedrive": "認識Spacedrive背後的貢獻者",
"meet_title": "會見 {{title}}",
"mesh": "Mesh",
"miles": "英里",
"mode": "模式",
"modified": "已修改",
@ -337,6 +393,7 @@
"move_files": "移動文件",
"move_forward_within_quick_preview": "在快速預覽中向前移動",
"move_to_trash": "移到廢紙簍",
"my_sick_location": "My sick location",
"name": "名稱",
"navigate_back": "後退",
"navigate_backwards": "向後導覽",
@ -350,6 +407,7 @@
"network": "網絡",
"network_page_description": "您局域網上的其他Spacedrive節點將顯示在這裡以及您預設的OS網絡掛載。",
"networking": "網絡",
"networking_error": "Error starting up networking!",
"networking_port": "網絡端口",
"networking_port_description": "Spacedrive的點對點網絡通信使用的端口。除非您有嚴格的防火牆否則應該禁用此功能。不要暴露於互聯網",
"new": "新的",
@ -360,6 +418,7 @@
"new_tab": "新標籤",
"new_tag": "新標籤",
"new_update_available": "新版本可用!",
"no_apps_available": "No apps available",
"no_favorite_items": "沒有最喜歡的物品",
"no_items_found": "未找到任何項目",
"no_jobs": "沒有工作。",
@ -374,6 +433,7 @@
"nodes_description": "管理連接到此圖書館的節點。一個節點是在設備或服務器上運行的Spacedrive後端實例。每個節點帶有數據庫副本通過點對點連接實時同步。",
"none": "無",
"normal": "常規",
"note": "Note",
"not_you": "不是您?",
"nothing_selected": "未選擇任何內容",
"number_of_passes": "通過次數",
@ -384,14 +444,17 @@
"open": "打開",
"open_file": "打開文件",
"open_in_new_tab": "在新分頁中開啟",
"open_logs": "Open Logs",
"open_new_location_once_added": "添加後打開新位置",
"open_new_tab": "開啟新分頁",
"open_object": "開啟物件",
"open_object_from_quick_preview_in_native_file_manager": "在快速預覽中以本機檔案管理器開啟物件",
"open_settings": "打開設置",
"open_with": "打開方式",
"opening_trash": "Opening Trash",
"or": "或者",
"overview": "概覽",
"package": "Package",
"page": "頁面",
"page_shortcut_description": "應用程式中的不同頁面",
"pair": "配對",
@ -402,16 +465,20 @@
"path": "路徑",
"path_copied_to_clipboard_description": "位置{{location}}的路徑已復製到剪貼簿。",
"path_copied_to_clipboard_title": "路徑已複製到剪貼簿",
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Paths",
"pause": "暫停",
"peers": "對等",
"people": "人們",
"pin": "別針",
"please_select_emoji": "Please select an emoji",
"prefix_a": "a",
"preview_media_bytes": "預覽媒體",
"preview_media_bytes_description": "所有預覽媒體檔案(例如縮圖)的總大小。",
"privacy": "隱私",
"privacy_description": "Spacedrive是為隱私而構建的這就是為什麼我們是開源的並且首先在本地。所以我們將非常清楚地告知我們分享了哪些數據。",
"quick_preview": "快速預覽",
"quick_rescan_started": "Quick rescan started",
"quick_view": "快速查看",
"recent_jobs": "最近的工作",
"recents": "最近的文件",
@ -421,6 +488,7 @@
"regenerate_thumbs": "重新生成縮略圖",
"reindex": "重新索引",
"reject": "拒絕",
"reject_files": "Reject files",
"reload": "重載",
"remove": "移除",
"remove_from_recents": "從最近的文件中移除",
@ -431,17 +499,24 @@
"rescan_directory": "重新掃描目錄",
"rescan_location": "重新掃描位置",
"reset": "重置",
"reset_and_quit": "Reset & Quit App",
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resources": "資源",
"restore": "恢復",
"resume": "恢復",
"retry": "重試",
"reveal_in_native_file_manager": "在本機檔案管理器中顯示",
"revel_in_browser": "在{{browser}}中顯示",
"rules": "Rules",
"running": "運行",
"save": "保存",
"save_changes": "保存變更",
"save_search": "儲存搜尋",
"save_spacedrop": "Save Spacedrop",
"saved_searches": "已保存的搜索",
"screenshot": "Screenshot",
"search": "搜尋",
"search_extensions": "搜索擴展",
"search_for_files_and_actions": "搜尋文件和操作...",
@ -449,7 +524,10 @@
"secure_delete": "安全刪除",
"security": "安全",
"security_description": "保護您的客戶端安全。",
"see_more": "See more",
"see_less": "See less",
"send": "發送",
"send_report": "Send Report",
"settings": "設置",
"setup": "設定",
"share": "分享",
@ -497,12 +575,15 @@
"sync_with_library": "與圖書館同步",
"sync_with_library_description": "如果啟用,您的鍵綁定將與圖書館同步,否則它們僅適用於此客戶端。",
"system": "系統",
"tag": "標籤",
"tag_other": "標籤",
"tags": "標籤",
"tags_description": "管理您的標籤。",
"tags_notice_message": "沒有項目分配給該標籤。",
"telemetry_description": "切換到ON為開發者提供詳細的使用情況和遙測數據以增強應用程序。切換到OFF只發送基本數據您的活動狀態應用版本核心版本以及平台例如移動網絡或桌面。",
"telemetry_title": "分享額外的遙測和使用情況數據",
"temperature": "溫度",
"text": "Text",
"text_file": "文字檔案",
"text_size": "文字大小",
"thank_you_for_your_feedback": "感謝您的回饋!",
@ -536,9 +617,11 @@
"ui_animations": "UI動畫",
"ui_animations_description": "對話框和其它UI元素在打開和關閉時會有動畫效果。",
"unnamed_location": "未命名位置",
"unknown": "Unknown",
"update": "更新",
"update_downloaded": "更新已下載。重新啟動 Spacedrive 進行安裝",
"updated_successfully": "成功更新,您目前使用的是版本 {{version}}",
"uploaded_file": "Uploaded file!",
"usage": "使用情況",
"usage_description": "您的圖書館使用情況和硬體資訊。",
"vaccum": "真空",
@ -546,10 +629,13 @@
"vaccum_library_description": "重新打包資料庫以釋放不必要的空間。",
"value": "值",
"version": "版本 {{version}}",
"video": "Video",
"video_preview_not_supported": "不支援視頻預覽。",
"view_changes": "檢視變更",
"want_to_do_this_later": "想要稍後進行這操作嗎?",
"web_page_archive": "Web Page Archive",
"website": "網站",
"widget": "Widget",
"with_descendants": "與後代",
"your_account": "您的帳戶",
"your_account_description": "Spacedrive帳戶和資訊。",