Added more translation keys to the app (#2442)

* added more translation keys

* added more keys

* added a lot of additional translation for every language available

* more translations

* fixed keys spelling
This commit is contained in:
Artsiom Voitas 2024-05-02 17:06:09 +03:00 committed by GitHub
parent da9fb959e8
commit d338593fba
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
33 changed files with 939 additions and 323 deletions

View file

@ -100,6 +100,7 @@ export const Inspector = forwardRef<HTMLDivElement, Props>(
explorerStore.showMoreInfo = false;
}, [pathname]);
const { t } = useLocale();
return (
<div ref={ref} style={{ width: INSPECTOR_WIDTH, ...style }} {...props}>
<Sticky
@ -120,7 +121,7 @@ export const Inspector = forwardRef<HTMLDivElement, Props>(
<div className="flex select-text flex-col overflow-hidden rounded-lg border border-app-line bg-app-box py-0.5 shadow-app-shade/10">
{!isNonEmpty(selectedItems) ? (
<div className="flex h-[390px] items-center justify-center text-sm text-ink-dull">
Nothing selected
{t('nothing_selected')}
</div>
) : selectedItems.length === 1 ? (
<SingleItemMetadata item={selectedItems[0]} />
@ -342,7 +343,7 @@ export const SingleItemMetadata = ({ item }: { item: ExplorerItem }) => {
onClick={() => {
if (fullPath) {
navigator.clipboard.writeText(fullPath);
toast.info('Copied path to clipboard');
toast.info(t('path_copied_to_clipboard_title'));
}
}}
/>

View file

@ -9,6 +9,7 @@ import {
type ExplorerSettings,
type Ordering
} from '@sd/client';
import i18n from '~/app/I18n';
import {
DEFAULT_LIST_VIEW_ICON_SIZE,
@ -150,24 +151,24 @@ export function isCut(item: ExplorerItem, cutCopyState: CutCopyState) {
}
export const filePathOrderingKeysSchema = z.union([
z.literal('name').describe('Name'),
z.literal('sizeInBytes').describe('Size'),
z.literal('dateModified').describe('Date Modified'),
z.literal('dateIndexed').describe('Date Indexed'),
z.literal('dateCreated').describe('Date Created'),
z.literal('object.dateAccessed').describe('Date Accessed'),
z.literal('object.mediaData.epochTime').describe('Date Taken')
z.literal('name').describe(i18n.t('name')),
z.literal('sizeInBytes').describe(i18n.t('size')),
z.literal('dateModified').describe(i18n.t('date_modified')),
z.literal('dateIndexed').describe(i18n.t('date_indexed')),
z.literal('dateCreated').describe(i18n.t('date_created')),
z.literal('object.dateAccessed').describe(i18n.t('date_accessed')),
z.literal('object.mediaData.epochTime').describe(i18n.t('date_taken'))
]);
export const objectOrderingKeysSchema = z.union([
z.literal('dateAccessed').describe('Date Accessed'),
z.literal('kind').describe('Kind'),
z.literal('mediaData.epochTime').describe('Date Taken')
z.literal('dateAccessed').describe(i18n.t('date_accessed')),
z.literal('kind').describe(i18n.t('kind')),
z.literal('mediaData.epochTime').describe(i18n.t('date_taken'))
]);
export const nonIndexedPathOrderingSchema = z.union([
z.literal('name').describe('Name'),
z.literal('sizeInBytes').describe('Size'),
z.literal('dateCreated').describe('Date Created'),
z.literal('dateModified').describe('Date Modified')
z.literal('name').describe(i18n.t('name')),
z.literal('sizeInBytes').describe(i18n.t('size')),
z.literal('dateCreated').describe(i18n.t('date_created')),
z.literal('dateModified').describe(i18n.t('date_modified'))
]);

View file

@ -71,65 +71,66 @@ export function loadDayjsLocale(language: string) {
// Generate list of localized formats available in the app
export function generateLocaleDateFormats(language: string) {
language = language.replace('_', '-');
const defaultDate = '01/01/2024 23:19';
const DATE_FORMATS = [
{
value: 'L',
label: dayjs().locale(language).format('L')
label: dayjs(defaultDate).locale(language).format('L')
},
{
value: 'L LT',
label: dayjs().locale(language).format('L LT')
value: 'L, LT',
label: dayjs(defaultDate).locale(language).format('L, LT')
},
{
value: 'll',
label: dayjs(defaultDate).locale(language).format('ll')
},
// {
// value: 'll',
// label: dayjs().locale(language).format('ll')
// },
{
value: 'LL',
label: dayjs().locale(language).format('LL')
label: dayjs(defaultDate).locale(language).format('LL')
},
{
value: 'lll',
label: dayjs(defaultDate).locale(language).format('lll')
},
// {
// value: 'lll',
// label: dayjs().locale(language).format('lll')
// },
{
value: 'LLL',
label: dayjs().locale(language).format('LLL')
label: dayjs(defaultDate).locale(language).format('LLL')
},
{
value: 'llll',
label: dayjs().locale(language).format('llll')
label: dayjs(defaultDate).locale(language).format('llll')
}
];
if (language === 'en') {
const additionalFormats = [
{
value: 'DD/MM/YYYY',
label: dayjs().locale('en').format('DD/MM/YYYY')
label: dayjs(defaultDate).locale('en').format('DD/MM/YYYY')
},
{
value: 'DD/MM/YYYY HH:mm',
label: dayjs().locale('en').format('DD/MM/YYYY HH:mm')
},
// {
// value: 'D MMM YYYY',
// label: dayjs().locale('en').format('D MMM YYYY')
// },
{
value: 'D MMMM YYYY',
label: dayjs().locale('en').format('D MMMM YYYY')
},
// {
// value: 'D MMM YYYY HH:mm',
// label: dayjs().locale('en').format('D MMM YYYY HH:mm')
// },
{
value: 'D MMMM YYYY HH:mm',
label: dayjs().locale('en').format('D MMMM YYYY HH:mm')
label: dayjs(defaultDate).locale('en').format('DD/MM/YYYY HH:mm')
},
{
value: 'ddd, D MMM YYYY HH:mm',
label: dayjs().locale('en').format('ddd, D MMMM YYYY HH:mm')
value: 'D MMM, YYYY',
label: dayjs(defaultDate).locale('en').format('D MMM, YYYY')
},
{
value: 'D MMMM, YYYY',
label: dayjs(defaultDate).locale('en').format('D MMMM, YYYY')
},
{
value: 'D MMM, YYYY HH:mm',
label: dayjs(defaultDate).locale('en').format('D MMM, YYYY HH:mm')
},
{
value: 'D MMMM, YYYY HH:mm',
label: dayjs(defaultDate).locale('en').format('D MMMM, YYYY HH:mm')
},
{
value: 'ddd, D MMM, YYYY HH:mm',
label: dayjs(defaultDate).locale('en').format('ddd, D MMMM, YYYY HH:mm')
}
];
return DATE_FORMATS.concat(additionalFormats);

View file

@ -3,7 +3,7 @@ import clsx from 'clsx';
import { useEffect, useState } from 'react';
import { byteSize, Statistics, useLibraryContext, useLibraryQuery } from '@sd/client';
import { Tooltip } from '@sd/ui';
import { useCounter } from '~/hooks';
import { useCounter, useLocale } from '~/hooks';
interface StatItemProps {
title: string;
@ -12,25 +12,6 @@ interface StatItemProps {
info?: string;
}
const StatItemNames: Partial<Record<keyof Statistics, string>> = {
total_bytes_capacity: 'Total capacity',
preview_media_bytes: 'Preview media',
library_db_size: 'Index size',
total_bytes_free: 'Free space',
total_bytes_used: 'Total used space'
};
const StatDescriptions: Partial<Record<keyof Statistics, string>> = {
total_bytes_capacity:
'The total capacity of all nodes connected to the library. May show incorrect values during alpha.',
preview_media_bytes: 'The total size of all preview media files, such as thumbnails.',
library_db_size: 'The size of the library database.',
total_bytes_free: 'Free space available on all nodes connected to the library.',
total_bytes_used: 'Total space used on all nodes connected to the library.'
};
const displayableStatItems = Object.keys(StatItemNames) as unknown as keyof typeof StatItemNames;
let mounted = false;
const StatItem = (props: StatItemProps) => {
@ -92,6 +73,27 @@ const LibraryStats = () => {
if (!stats.isLoading) mounted = true;
});
const { t } = useLocale();
const StatItemNames: Partial<Record<keyof Statistics, string>> = {
total_bytes_capacity: t('total_bytes_capacity'),
preview_media_bytes: t('preview_media_bytes'),
library_db_size: t('library_db_size'),
total_bytes_free: t('total_bytes_free'),
total_bytes_used: t('total_bytes_used')
};
const StatDescriptions: Partial<Record<keyof Statistics, string>> = {
total_bytes_capacity: t('total_bytes_capacity_description'),
preview_media_bytes: t('preview_media_bytes_description'),
library_db_size: t('library_db_size_description'),
total_bytes_free: t('total_bytes_free_description'),
total_bytes_used: t('total_bytes_used_description')
};
const displayableStatItems = Object.keys(
StatItemNames
) as unknown as keyof typeof StatItemNames;
return (
<div className="flex w-full">
<div className="flex gap-3 overflow-hidden">

View file

@ -1,6 +1,7 @@
// import { X } from '@phosphor-icons/react';
import clsx from 'clsx';
import { Icon, IconName } from '~/components';
import { useLocale } from '~/hooks';
type NewCardProps =
| {
@ -30,6 +31,7 @@ export default function NewCard({
button,
className
}: NewCardProps) {
const { t } = useLocale();
return (
<div
className={clsx(
@ -61,7 +63,7 @@ export default function NewCard({
disabled={!buttonText}
className="text-sm font-medium text-ink-dull"
>
{buttonText ? buttonText : 'Coming Soon'}
{buttonText ? buttonText : t('coming_soon')}
</button>
)}
</div>

View file

@ -3,7 +3,7 @@ import { useEffect, useMemo, useState } from 'react';
import { byteSize } from '@sd/client';
import { Button, Card, CircularProgress, tw } from '@sd/ui';
import { Icon } from '~/components';
import { useIsDark } from '~/hooks';
import { useIsDark, useLocale } from '~/hooks';
type StatCardProps = {
name: string;
@ -40,6 +40,8 @@ const StatCard = ({ icon, name, connectionType, ...stats }: StatCardProps) => {
return Math.floor((usedSpaceSpace.value / totalSpace.value) * 100);
}, [mounted, totalSpace, usedSpaceSpace]);
const { t } = useLocale();
return (
<Card className="flex w-[280px] shrink-0 flex-col bg-app-box/50 !p-0 ">
<div className="flex flex-row items-center gap-5 p-4 px-6">
@ -69,13 +71,13 @@ const StatCard = ({ icon, name, connectionType, ...stats }: StatCardProps) => {
<span className="truncate font-medium">{name}</span>
<span className="mt-1 truncate text-tiny text-ink-faint">
{freeSpace.value}
{freeSpace.unit} free of {totalSpace.value}
{freeSpace.unit} {t('free_of')} {totalSpace.value}
{totalSpace.unit}
</span>
</div>
</div>
<div className="flex h-10 flex-row items-center gap-1.5 border-t border-app-line px-2">
<Pill className="uppercase">{connectionType || 'Local'}</Pill>
<Pill className="uppercase">{connectionType || t('local')}</Pill>
<div className="grow" />
{/* <Button size="icon" variant="outline">
<Ellipsis className="w-3 h-3 opacity-50" />

View file

@ -77,7 +77,7 @@ export const Component = () => {
<OverviewSection>
<FileKindStatistics />
</OverviewSection>
<OverviewSection count={1} title="Devices">
<OverviewSection count={1} title={t('devices')}>
{node && (
<StatisticItem
name={node.name}
@ -130,9 +130,9 @@ export const Component = () => {
/> */}
<NewCard
icons={['Laptop', 'Server', 'SilverBox', 'Tablet']}
text="Spacedrive works best on all your devices."
text={t('connect_device_description')}
className="h-auto"
// buttonText="Connect a device"
// buttonText={t('connect_device')}
/>
{/**/}
</OverviewSection>
@ -152,13 +152,13 @@ export const Component = () => {
{!locations?.length && (
<NewCard
icons={['HDD', 'Folder', 'Globe', 'SD']}
text="Connect a local path, volume or network location to Spacedrive."
text={t('add_location_overview_description')}
button={() => <AddLocationButton variant="outline" />}
/>
)}
</OverviewSection>
<OverviewSection count={0} title="Cloud Drives">
<OverviewSection count={0} title={t('cloud_drives')}>
{/* <StatisticItem
name="James Pine"
icon="DriveDropbox"
@ -184,8 +184,8 @@ export const Component = () => {
'DriveOneDrive'
// 'DriveBox'
]}
text="Connect your cloud accounts to Spacedrive."
// buttonText="Connect a cloud"
text={t('connect_cloud_description')}
// buttonText={t('connect_cloud)}
/>
</OverviewSection>

View file

@ -11,7 +11,9 @@ import {
import { useState } from 'react';
import { InOrNotIn, ObjectKind, SearchFilterArgs, TextMatch, useLibraryQuery } from '@sd/client';
import { Button, Input } from '@sd/ui';
import i18n from '~/app/I18n';
import { Icon as SDIcon } from '~/components';
import { useLocale } from '~/hooks';
import { SearchOptionItem, SearchOptionSubMenu } from '.';
import { AllKeys, FilterOption, getKey } from './store';
@ -149,6 +151,8 @@ const FilterOptionText = ({
value
});
const { t } = useLocale();
return (
<SearchOptionSubMenu className="!p-1.5" name={filter.name} icon={filter.icon}>
<form
@ -173,7 +177,7 @@ const FilterOptionText = ({
className="w-full"
type="submit"
>
Apply
{t('apply')}
</Button>
</form>
</SearchOptionSubMenu>
@ -408,7 +412,7 @@ function createBooleanFilter(
export const filterRegistry = [
createInOrNotInFilter({
name: 'Location',
name: i18n.t('location'),
icon: Folder, // Phosphor folder icon
extract: (arg) => {
if ('filePath' in arg && 'locations' in arg.filePath) return arg.filePath.locations;
@ -443,7 +447,7 @@ export const filterRegistry = [
)
}),
createInOrNotInFilter({
name: 'Tags',
name: i18n.t('tags'),
icon: CircleDashed,
extract: (arg) => {
if ('object' in arg && 'tags' in arg.object) return arg.object.tags;
@ -479,7 +483,7 @@ export const filterRegistry = [
<div className="flex flex-col items-center justify-center gap-2 p-2">
<SDIcon name="Tags" size={32} />
<p className="w-4/5 text-center text-xs text-ink-dull">
You have not created any tags
{i18n.t('no_tags')}
</p>
</div>
)}
@ -491,7 +495,7 @@ export const filterRegistry = [
}
}),
createInOrNotInFilter({
name: 'Kind',
name: i18n.t('kind'),
icon: Cube,
extract: (arg) => {
if ('object' in arg && 'kind' in arg.object) return arg.object.kind;
@ -527,7 +531,7 @@ export const filterRegistry = [
)
}),
createTextMatchFilter({
name: 'Name',
name: i18n.t('name'),
icon: Textbox,
extract: (arg) => {
if ('filePath' in arg && 'name' in arg.filePath) return arg.filePath.name;
@ -537,7 +541,7 @@ export const filterRegistry = [
Render: ({ filter, search }) => <FilterOptionText filter={filter} search={search} />
}),
createInOrNotInFilter({
name: 'Extension',
name: i18n.t('extension'),
icon: Textbox,
extract: (arg) => {
if ('filePath' in arg && 'extension' in arg.filePath) return arg.filePath.extension;
@ -554,7 +558,7 @@ export const filterRegistry = [
Render: ({ filter, search }) => <FilterOptionText filter={filter} search={search} />
}),
createBooleanFilter({
name: 'Hidden',
name: i18n.t('hidden'),
icon: SelectionSlash,
extract: (arg) => {
if ('filePath' in arg && 'hidden' in arg.filePath) return arg.filePath.hidden;
@ -590,7 +594,7 @@ export const filterRegistry = [
Render: ({ filter, search }) => <FilterOptionBoolean filter={filter} search={search} />
})
// createInOrNotInFilter({
// name: 'Label',
// name: i18n.t('label'),
// icon: Tag,
// extract: (arg) => {
// if ('object' in arg && 'labels' in arg.object) return arg.object.labels;
@ -625,7 +629,7 @@ export const filterRegistry = [
// idk how to handle this rn since include_descendants is part of 'path' now
//
// createFilter({
// name: 'WithDescendants',
// name: i18n.t('with_descendants'),
// icon: SelectionSlash,
// conditions: filterTypeCondition.trueOrFalse,
// setCondition: (args, condition: 'true' | 'false') => {

View file

@ -1,10 +1,10 @@
import { SearchFilterArgs } from '@sd/client';
import { Input, ModifierKeys, Shortcut } from '@sd/ui';
import { useCallback, useEffect, useRef, useState } from 'react';
import { useLocation, useNavigate } from 'react-router';
import { createSearchParams } from 'react-router-dom';
import { useDebouncedCallback } from 'use-debounce';
import { useOperatingSystem } from '~/hooks';
import { SearchFilterArgs } from '@sd/client';
import { Input, ModifierKeys, Shortcut } from '@sd/ui';
import { useLocale, useOperatingSystem } from '~/hooks';
import { keybindForOs } from '~/util/keybinds';
import { useSearchContext } from './context';
@ -70,16 +70,19 @@ export default ({ redirectToSearch, defaultFilters, defaultTarget }: Props) => {
const updateDebounce = useDebouncedCallback((value: string) => {
search.setSearch?.(value);
if (redirectToSearch) {
navigate({
pathname: '../search',
search: createSearchParams({
search: value
}).toString()
}, {
state: {
focusSearch: true
navigate(
{
pathname: '../search',
search: createSearchParams({
search: value
}).toString()
},
{
state: {
focusSearch: true
}
}
});
);
}
}, 300);
@ -94,10 +97,12 @@ export default ({ redirectToSearch, defaultFilters, defaultTarget }: Props) => {
search.setTarget?.(undefined);
}
const { t } = useLocale();
return (
<Input
ref={searchRef}
placeholder="Search"
placeholder={t('search')}
className="mx-2 w-48 transition-all duration-200 focus-within:w-60"
size="sm"
value={value}

View file

@ -1,5 +1,7 @@
import { FunnelSimple, Icon, Plus } from '@phosphor-icons/react';
import { IconTypes } from '@sd/assets/util';
import clsx from 'clsx';
import { memo, PropsWithChildren, useDeferredValue, useMemo, useState } from 'react';
import { useFeatureFlag, useLibraryMutation } from '@sd/client';
import {
Button,
@ -11,9 +13,7 @@ import {
tw,
usePopover
} from '@sd/ui';
import clsx from 'clsx';
import { memo, PropsWithChildren, useDeferredValue, useMemo, useState } from 'react';
import { useIsDark, useKeybind } from '~/hooks';
import { useIsDark, useKeybind, useLocale } from '~/hooks';
import { AppliedFilters, InteractiveSection } from './AppliedFilters';
import { useSearchContext } from './context';
@ -96,6 +96,8 @@ export const SearchOptions = ({
const showSearchTargets = useFeatureFlag('searchTargetSwitcher');
const { t } = useLocale();
return (
<div
onMouseEnter={() => {
@ -118,7 +120,7 @@ export const SearchOptions = ({
search.target === 'paths' ? 'bg-app-box' : 'hover:bg-app-box/50'
)}
>
Paths
{t('paths')}
</InteractiveSection>
<InteractiveSection
onClick={() => search.setTarget?.('objects')}
@ -126,7 +128,7 @@ export const SearchOptions = ({
search.target === 'objects' ? 'bg-app-box' : 'hover:bg-app-box/50'
)}
>
Objects
{t('objects')}
</InteractiveSection>
</OptionContainer>
)}
@ -221,6 +223,8 @@ function AddFilterButton() {
[searchQuery]
);
const { t } = useLocale();
return (
<>
{registerFilters}
@ -234,7 +238,7 @@ function AddFilterButton() {
trigger={
<Button className="flex flex-row gap-1" size="xs" variant="dotted">
<FunnelSimple />
Add Filter
{t('add_filter')}
</Button>
}
>
@ -245,7 +249,7 @@ function AddFilterButton() {
autoComplete="off"
autoCorrect="off"
variant="transparent"
placeholder="Filter..."
placeholder={`${t('filter')}...`}
/>
<Separator />
{searchQuery === '' ? (
@ -274,6 +278,8 @@ function SaveSearchButton() {
const saveSearch = useLibraryMutation('search.saved.create');
const { t } = useLocale();
return (
<Popover
popover={popover}
@ -281,7 +287,7 @@ function SaveSearchButton() {
trigger={
<Button className="flex shrink-0 flex-row" size="xs" variant="dotted">
<Plus weight="bold" className="mr-1" />
Save Search
{t('save_search')}
</Button>
}
>
@ -310,7 +316,7 @@ function SaveSearchButton() {
onChange={(e) => setName(e.target.value)}
autoFocus
variant="default"
placeholder="Name"
placeholder={t('name')}
className="w-[130px]"
/>
<Button
@ -319,7 +325,7 @@ function SaveSearchButton() {
className="ml-2"
variant="accent"
>
Save
{t('save')}
</Button>
</form>
</Popover>

View file

@ -1,26 +1,27 @@
import { CircleDashed, Folder, Icon, Tag } from '@phosphor-icons/react';
import { IconTypes } from '@sd/assets/util';
import clsx from 'clsx';
import i18n from '~/app/I18n';
import { Icon as SDIcon } from '~/components';
export const filterTypeCondition = {
inOrNotIn: {
in: 'is',
notIn: 'is not'
in: i18n.t('is'),
notIn: i18n.t('is_not')
},
textMatch: {
contains: 'contains',
startsWith: 'starts with',
endsWith: 'ends with',
equals: 'is'
contains: i18n.t('contains'),
startsWith: i18n.t('starts_with'),
endsWith: i18n.t('ends_with'),
equals: i18n.t('equals')
},
optionalRange: {
from: 'from',
to: 'to'
from: i18n.t('from'),
to: i18n.t('to')
},
trueOrFalse: {
true: 'is',
false: 'is not'
true: i18n.t('is'),
false: i18n.t('is_not')
}
} as const;

View file

@ -29,7 +29,7 @@ const themes: Theme[] = [
outsideColor: 'bg-[#F0F0F0]',
textColor: 'text-black',
border: 'border border-[#E6E6E6]',
themeName: 'Light',
themeName: i18n.t('light'),
themeValue: 'vanilla'
},
{
@ -37,7 +37,7 @@ const themes: Theme[] = [
outsideColor: 'bg-black',
textColor: 'text-white',
border: 'border border-[#323342]',
themeName: 'Dark',
themeName: i18n.t('dark'),
themeValue: 'dark'
},
{
@ -45,7 +45,7 @@ const themes: Theme[] = [
outsideColor: '',
textColor: 'text-white',
border: 'border border-[#323342]',
themeName: 'System',
themeName: i18n.t('system'),
themeValue: 'system'
}
];
@ -210,7 +210,11 @@ export const Component = () => {
</div>
</Setting>
{/* Date Formatting Settings */}
<Setting mini title={t('date_format')} description={t('date_format_description')}>
<Setting
mini
title={t('date_time_format')}
description={t('date_time_format_description')}
>
<div className="flex h-[30px] gap-2">
<Select
value={dateFormat}

View file

@ -217,6 +217,7 @@ export const AddLocationDialog = ({
dialog={useDialog(dialogProps)}
icon={<Icon name="NewLocation" size={28} />}
onSubmit={onSubmit}
closeLabel={t('close')}
ctaLabel={t('add')}
formClassName="min-w-[375px]"
errorMessageException={t('location_is_already_linked')}

View file

@ -28,6 +28,7 @@ export default (props: Props) => {
onSubmit={form.handleSubmit(() => deleteLocation.mutateAsync(props.locationId))}
dialog={useDialog(props)}
title={t('delete_location')}
closeLabel={t('close')}
icon={<Icon name="DeleteLocation" size={28} />}
description={t('delete_location_description')}
ctaDanger

View file

@ -33,7 +33,7 @@ export const Component = () => {
rightArea={
<div className="flex flex-row items-center space-x-5">
<SearchInput
placeholder="Search locations"
placeholder={t('search_locations')}
className="h-[33px]"
onChange={(e) => setSearch(e.target.value)}
/>

View file

@ -27,6 +27,8 @@ export const Component = () => {
return savedSearches.data!.find((s) => s.id == selectedSearchId) ?? null;
}, [selectedSearchId, savedSearches.data]);
const { t } = useLocale();
return (
<>
<Heading title="Saved Searches" description="Manage your saved searches." />
@ -52,7 +54,9 @@ export const Component = () => {
onDelete={() => setSelectedSearchId(null)}
/>
) : (
<div className="text-sm font-medium text-gray-400">No Search Selected</div>
<div className="text-sm font-medium text-gray-400">
{t('no_search_selected')}
</div>
)}
</div>
</>

View file

@ -85,6 +85,7 @@ export default (
title={t('create_new_tag')}
description={t('create_new_tag_description')}
ctaLabel={t('create')}
closeLabel={t('close')}
>
<div className="relative mt-3 ">
<InputField

View file

@ -27,6 +27,7 @@ export default (props: Props) => {
dialog={useDialog(props)}
onSubmit={form.handleSubmit(() => deleteTag.mutateAsync(props.tagId))}
title={t('delete_tag')}
closeLabel={t('close')}
description={t('delete_tag_description')}
ctaDanger
ctaLabel={t('delete')}

View file

@ -55,6 +55,8 @@ export default (props: UseDialogProps) => {
dialog={useDialog(props)}
submitDisabled={!form.formState.isValid}
title={t('create_new_library')}
closeLabel={t('close')}
cancelLabel={t('cancel')}
description={t('create_new_library_description')}
ctaLabel={form.formState.isSubmitting ? t('creating_library') : t('create_library')}
>

View file

@ -47,6 +47,7 @@ export default function DeleteLibraryDialog(props: Props) {
onSubmit={onSubmit}
dialog={useDialog(props)}
title={t('delete_library')}
closeLabel={t('close')}
description={t('delete_library_description')}
ctaDanger
ctaLabel={t('delete')}

View file

@ -8,9 +8,11 @@
"actions": "Дзеянні",
"add": "Дабавіць",
"add_device": "Дабавіць прыладу",
"add_filter": "Дадаць фільтр",
"add_library": "Дабавіць бібліятэку",
"add_location": "Дабавіць лакацыю",
"add_location_description": "Пашырце магчымасці Spacedrive, дабавіў любімыя лакацыі ў сваю асабістую бібліятэку, для зручнага і эфектыўнага кіравання файламі",
"add_location_overview_description": "Падключыце лакальную ці сеткавую прыладу да Spacedrive.",
"add_location_tooltip": "Дадайце шлях у якасці індэксаваная лакацыі",
"add_locations": "Дабавіць лакацыі",
"add_tag": "Дабавіць тэг",
@ -20,11 +22,13 @@
"alpha_release_title": "Альфа версія",
"appearance": "Выгляд",
"appearance_description": "Зменіце знешні выгляд вашага кліента.",
"apply": "Прыняць",
"archive": "Архіў",
"archive_coming_soon": "Архіваванне лакацый хутка з'явіцца...",
"archive_info": "Выманне дадзеных з бібліятэкі ў выглядзе архіва, карысна для захавання структуры лакацый.",
"are_you_sure": "Вы ўпэўнены?",
"ask_spacedrive": "Спытайце Spacedrive",
"asc": "Па ўзрастанні",
"assign_tag": "Прысвоіць тэг",
"audio_preview_not_supported": "Папярэдні прагляд аўдыя не падтрымваецца.",
"back": "Назад",
@ -46,11 +50,18 @@
"close": "Зачыніць",
"close_command_palette": "Закрыць панэль каманд",
"close_current_tab": "Зачыніць бягучую ўкладку",
"cloud": "Воблака",
"cloud_drives": "Воблачныя дыскі",
"clouds": "Воблачныя схов.",
"color": "Колер",
"coming_soon": "Хутка з'явіцца",
"contains": "змяшчае",
"compress": "Сціснуць",
"configure_location": "Наладзіць лакацыі",
"connect_cloud": "Падключыць воблака",
"connect_cloud_description": "Падключыце воблачныя акаўнты да Spacedrive.",
"connect_device": "Падключыце прыладу",
"connect_device_description": "Spacedrive лепш за ўсё працуе пры выкарыстанні на ўсіх вашых прыладах.",
"connected": "Падключана",
"contacts": "Кантакты",
"contacts_description": "Кіруйце кантактамі ў Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Выразаць",
"cut_object": "Выразаць аб'ект",
"cut_success": "Элементы выразаны",
"dark": "Цёмная",
"data_folder": "Папка з дадзенымі",
"date_format": "Фармат даты",
"date_format_description": "Змяніць фармат даты, які адлюстроўваецца ў Spacedrive",
"date_accessed": "Дата доступу",
"date_created": "Дата стварэння",
"date_indexed": "Дата індэксавання",
"date_modified": "Дата змены",
"date_taken": "Дата здымкі",
"date_time_format": "Фармат даты і часу",
"date_time_format_description": "Змяніць фармат даты, які адлюстроўваецца ў Spacedrive",
"debug_mode": "Рэжым адладкі",
"debug_mode_description": "Уключыце дадатковыя функцыі адладкі ў дадатку.",
"default": "Стандартны",
"desc": "Па змяншэнні",
"random": "Выпадковы",
"ipv6": "Сетка IPv6",
"ipv6_description": "Дазволіць аднарангавыя сувязі з выкарыстаннем сеткі IPv6.",
"is": "гэта",
"is_not": "не",
"default_settings": "Налады па змаўчанні",
"delete": "Выдаліць",
"delete_dialog_title": "Выдаліць {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "Уключыць сеткавае ўзаемадзеянне",
"enable_networking_description": "Дазвольце вашаму вузлу звязвацца з іншымі вузламі Spacedrive вакол вас.",
"enable_networking_description_required": "Патрабуецца для сінхранізацыі бібліятэкі або Spacedrop!",
"spacedrop": "Бачнасць Spacedrop",
"spacedrop_everyone": "Усе",
"spacedrop_contacts_only": "Толькі для кантактаў",
"spacedrop_disabled": "Адключаны",
"remote_access": "Уключыць выдалены доступ",
"remote_access_description": "Разрешите другим узлам напрамую падключыць да гэтага узлу.",
"encrypt": "Зашыфраваць",
"encrypt_library": "Зашыфраваць бібліятэку",
"encrypt_library_coming_soon": "Шыфраванне бібліятэкі хутка з'явіцца",
"encrypt_library_description": "Уключыць шыфраванне гэтай бібліятэкі, пры гэтым будзе зашыфравана толькі база дадзеных Spacedrive, але не самі файлы",
"ends_with": "заканчваецца на",
"ephemeral_notice_browse": "Праглядайце файлы і папкі з прылады.",
"ephemeral_notice_consider_indexing": "Разгледзьце магчымасць індэксавання вашых лакацый для хутчэйшага і эфектыўнага пошуку.",
"equals": "гэта",
"erase": "Выдаліць",
"erase_a_file": "Выдаліць файл",
"erase_a_file_description": "Наладзьце параметры выдалення.",
@ -158,6 +185,7 @@
"export_library": "Экспарт бібліятэкі",
"export_library_coming_soon": "Экспарт бібліятэкі хутка стане магчымым",
"export_library_description": "Экспартуйце гэту бібліятэку ў файл.",
"extension": "Пашырэнне",
"extensions": "Пашырэнні",
"extensions_description": "Устанавіце пашырэнні, каб пашырыць функцыйнасць гэтага кліента.",
"fahrenheit": "Фарэнгейт",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Пры адпраўленні вашага фідбэку адбылася абмыла. Калі ласка, паспрабуйце яшчэ раз.",
"file_already_exist_in_this_location": "Файл ужо існуе ў гэтай лакацыі",
"file_indexing_rules": "Правілы індэксацыі файлаў",
"filter": "Фільтр",
"filters": "Фільтры",
"forward": "Наперад",
"free_of": "сваб. з",
"from": "з",
"full_disk_access": "Поўны доступ да дыска",
"full_disk_access_description": "Для забеспячэння найлепшай якасці працы нам патрэбен доступ да вашага дыска, каб індэксаваць вашы файлы. Вашы файлы даступныя толькі вам.",
"full_reindex": "Поўнае пераіндэксаванне",
@ -211,6 +242,7 @@
"grid_gap": "Прабел",
"grid_view": "Значкі",
"grid_view_notice_description": "Атрымайце візуальны агляд файлаў з дапамогай прагляду значкамі. У гэтым уяўленні файлы і тэчкі адлюстроўваюцца ў выглядзе зменшаных выяў, што дазваляе хутка знайсці патрэбны файл.",
"hidden": "Утоены",
"hidden_label": "Не дазваляе лакацыі і яе змесціву адлюстроўвацца ў выніковых катэгорыях, пошуку і тэгах, калі не ўлучана функцыя \"Паказваць утоеныя элементы\".",
"hide_in_library_search": "Схаваць у пошуку па бібліятэцы",
"hide_in_library_search_description": "Схаваць файлы з гэтым тэгам з вынікаў пры пошуку па ўсёй бібліятэцы.",
@ -229,10 +261,10 @@
"install": "Устанавіць",
"install_update": "Устанавіць абнаўленне",
"installed": "Устаноўлена",
"ipv6": "Сетка IPv6",
"ipv6_description": "Дазволіць аднарангавыя сувязі з выкарыстаннем сеткі IPv6.",
"item_size": "Памер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} items",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} элементаў",
"job_has_been_canceled": "Заданне скасавана.",
"job_has_been_paused": "Заданне было прыпынена.",
@ -249,6 +281,8 @@
"keybinds_description": "Прагляд і кіраванне прывязанымі клавішамі кліента",
"keys": "Ключы",
"kilometers": "Кіламетры",
"kind": "Тып",
"label": "Ярлык",
"labels": "Ярлыкі",
"language": "Мова",
"language_description": "Змяніць мову інтэрфейсу Spacedrive",
@ -256,16 +290,20 @@
"libraries": "Бібліятэкі",
"libraries_description": "База дадзеных утрымвае ўсе дадзеныя бібліятэк і метададзеныя файлаў.",
"library": "Бібліятэка",
"library_db_size": "Памер індэкса",
"library_db_size_description": "Памер базы даных бібліятэкі.",
"library_name": "Назва бібліятэкі",
"library_overview": "Агляд бібліятэкі",
"library_settings": "Налады бібліятэкі",
"library_settings_description": "Галоўныя налады, што адносяцца да бягучай актыўнай бібліятэкі.",
"light": "Светлая",
"list_view": "Спіс",
"list_view_notice_description": "Зручная навігацыя па файлах і тэчках з дапамогай функцыі прагляду спісам. Гэты выгляд адлюстроўвае файлы ў выглядзе простага, спарадкаванага спіса, дазваляючы хутка знаходзіць і атрымваць доступ да патрэбных файлаў.",
"loading": "Загрузка",
"local": "Лакальна",
"local_locations": "Лакальныя лакацыі",
"local_node": "Лакальны вузел",
"location": "Лакацыя",
"location_connected_tooltip": "Лакацыя правяраецца на змены",
"location_disconnected_tooltip": "Лакацыя не правяраецца на змены",
"location_display_name_info": "Імя гэтага месцазнаходжання, якое будзе адлюстроўвацца на бакавой панэлі. Гэта дзеянне не пераназаве фактычнай тэчкі на дыску.",
@ -292,7 +330,7 @@
"media_view_context": "Кантэкст галерэі",
"media_view_notice_description": "Лёгка знаходзіце фатаграфіі і відэа, галерэя паказвае вынікі, пачынаючы з бягучай лакацыі, уключаючы укладзеныя папкі.",
"meet_contributors_behind_spacedrive": "Пазнаёмцеся з удзельнікамі праекта Spacedrive",
"meet_title": "Сустракайце: {{title}}",
"meet_title": "Сустракайце новы від правадніка: {{title}}",
"miles": "Мілі",
"mode": "Рэжым",
"modified": "Зменены",
@ -327,19 +365,23 @@
"new_tag": "Новы тэг",
"new_update_available": "Новая абнаўленне даступна!",
"no_favorite_items": "Няма абраных файлаў",
"no_items_found": "Ничего не найдено",
"no_items_found": "Нічога не знойдзена",
"no_jobs": "Няма заданняў.",
"no_labels": "Няма ярлыкоў",
"no_nodes_found": "Вузлы Spacedrive не знойдзены.",
"no_tag_selected": "Тэг не абраны",
"no_tags": "Няма тэгаў",
"no_tags_description": "Вы не стварылі ніводнага тэга",
"no_search_selected": "Пошук не зададзены",
"node_name": "Імя вузла",
"nodes": "Вузлы",
"nodes_description": "Кіраванне вузламі, падлучанымі да гэтай бібліятэкі. Вузел - гэта асобнік бэкэнда Spacedrive, што працуе на прыладзе ці серверы. Кожны вузел мае сваю копію базы дадзеных і сінхранізуецца праз аднарангавыя злучэнні ў рэжыме рэальнага часу.",
"none": "Не",
"normal": "Нармальны",
"not_you": "Не вы?",
"nothing_selected": "Нічога не абрана",
"number_of_passes": "# пропускаў",
"object": "Аб'ект",
"object_id": "ID аб'екта",
"offline": "Афлайн",
"online": "Анлайн",
@ -364,15 +406,17 @@
"path": "Шлях",
"path_copied_to_clipboard_description": "Шлях да лакацыі {{location}} скапіяваны ў буфер памену.",
"path_copied_to_clipboard_title": "Шлях скапіяваны ў буфер памену",
"paths": "Шляхі",
"pause": "Паўза",
"peers": "Удзельнікі",
"people": "Людзі",
"pin": "Замацаваць",
"preview_media_bytes": "Медыяпрэв'ю",
"preview_media_bytes_description": "Агульны памер усіх медыяфайлаў папярэдняга прагляду (мініяцюры і інш.).",
"privacy": "Прыватнасць",
"privacy_description": "Spacedrive створаны для забеспячэння прыватнасці, таму ў нас адкрыты выточны код і лакальны падыход. Таму мы выразна паказваем, якія дадзеныя перадаюцца нам.",
"quick_preview": "Хуткі прагляд",
"quick_view": "Хуткі прагляд",
"random": "Выпадковы",
"recent_jobs": "Нядаўнія заданні",
"recents": "Нядаўняе",
"recents_notice_message": "Нядаўнія ствараюцца пры адкрыцці файла.",
@ -382,8 +426,6 @@
"reindex": "Пераіндэксаваць",
"reject": "Адхіліць",
"reload": "Перазагрузіць",
"remote_access": "Уключыць выдалены доступ",
"remote_access_description": "Разрешите другим узлам напрамую падключыць да гэтага узлу.",
"remove": "Выдаліць",
"remove_from_recents": "Выдаліць з нядаўніх",
"rename": "Перайменаваць",
@ -402,10 +444,12 @@
"running": "Выконваецца",
"save": "Захаваць",
"save_changes": "Захаваць змены",
"save_search": "Захаваць пошук",
"saved_searches": "Захаваныя пошукавыя запыты",
"search": "Пошук",
"search_extensions": "Пашырэнні для пошуку",
"search_for_files_and_actions": "Пошук файлаў і дзеянняў...",
"search_locations": "Пошук лакацый",
"secure_delete": "Бяспечнае выдаленне",
"security": "Бяспека",
"security_description": "Гарантуйце бяспеку вашага кліента.",
@ -436,16 +480,13 @@
"spacedrive_account": "Уліковы запіс Spacedrive",
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "У першую чаргу Spacedrive прызначаны для лакальнага выкарыстання, але ў будучыні мы прапануем уласныя дадатковыя хмарныя сэрвісы. На дадзены момант аўтэнтыфікацыя выкарыстоўваецца толькі для функцыі 'Фідбэк', у іншым яна не патрабуецца.",
"spacedrop": "Бачнасць Spacedrop",
"spacedrop_a_file": "Адправіць файл з дапамогай Spacedrop",
"spacedrop_already_progress": "Spacedrop ужо ў працэсе",
"spacedrop_contacts_only": "Толькі для кантактаў",
"spacedrop_description": "Імгненна дзяліцеся з прыладамі, якія працуюць з Spacedrive ў вашай сеткі.",
"spacedrop_disabled": "Адключаны",
"spacedrop_everyone": "Усе",
"spacedrop_rejected": "Spacedrop адхілены",
"square_thumbnails": "Квадратныя эскізы",
"star_on_github": "Паставіць зорку на GitHub",
"starts_with": "пачынаецца з",
"stop": "Спыніць",
"success": "Поспех",
"support": "Падтрымка",
@ -459,6 +500,7 @@
"sync_description": "Кіруйце сінхранізацыяй Spacedrive.",
"sync_with_library": "Сінхранізацыя з бібліятэкай",
"sync_with_library_description": "Калі гэта опцыя ўлучана, вашы прывязаныя клавішы будуць сінхранізаваны з бібліятэкай, у адваротным выпадку яны будуць ужывацца толькі да гэтага кліента.",
"system": "Сістэмная",
"tags": "Тэгі",
"tags_description": "Кіруйце сваімі тэгамі.",
"tags_notice_message": "Гэтаму тэгу не прысвоена ні аднаго элемента.",
@ -470,6 +512,7 @@
"thank_you_for_your_feedback": "Дзякуй за ваш фідбэк!",
"thumbnailer_cpu_usage": "Выкарыстанне працэсара пры стварэнні мініяцюр",
"thumbnailer_cpu_usage_description": "Абмяжуйце нагрузку на працэсар, якую можа скарыстаць праграма для стварэння мініяцюр у фонавым рэжыме.",
"to": "па",
"toggle_all": "Уключыць усё",
"toggle_command_palette": "Адкрыць панэль каманд",
"toggle_hidden_files": "Уключыць бачнасць утоеных файлаў",
@ -486,6 +529,12 @@
"click_to_hide": "Націсніце, каб схаваць",
"click_to_lock": "Націсніце, каб заблакаваць",
"tools": "Інструменты",
"total_bytes_capacity": "Агульная ёмістасць",
"total_bytes_capacity_description": "Агульная ёмістасць усіх вузлоў, падключаных да бібліятэкі. Можа паказваць няслушныя значэнні падчас альфа-тэставанні.",
"total_bytes_free": "Вольнае месца",
"total_bytes_free_description": "Вольная прастора, даступная на ўсіх вузлах, падключаных да бібліятэкі.",
"total_bytes_used": "Агул. выкар. месца",
"total_bytes_used_description": "Агульная прастора, якая выкарыстоўваецца на ўсіх вузлах, падключаных да бібліятэкі.",
"trash": "Сметніца",
"type": "Тып",
"ui_animations": "UI Анімацыі",
@ -496,8 +545,8 @@
"updated_successfully": "Паспяхова абнавіліся, вы на версіі {{version}}",
"usage": "Выкарыстанне",
"usage_description": "Інфармацыя пра выкарыстанне бібліятэкі і інфармацыя пра ваша апаратнае забеспячэнне",
"vaccum": "Vacuum",
"vaccum_library": "Vacuum бібліятэкі",
"vaccum": "Вакуум",
"vaccum_library": "Вакуум бібліятэкі",
"vaccum_library_description": "Перапакуйце базу дадзеных, каб вызваліць непатрэбную прастору.",
"value": "Значэнне",
"version": "Версія {{version}}",
@ -505,6 +554,7 @@
"view_changes": "Праглядзець змены",
"want_to_do_this_later": "Жадаеце зрабіць гэта пазней?",
"website": "Вэб-сайт",
"with_descendants": "С потомками",
"your_account": "Ваш уліковы запіс",
"your_account_description": "Уліковы запіс Spacedrive і інфармацыя.",
"your_local_network": "Ваша лакальная сетка",

View file

@ -8,9 +8,11 @@
"actions": "Aktionen",
"add": "Hinzufügen",
"add_device": "Gerät hinzufügen",
"add_filter": "Filter hinzufügen",
"add_library": "Bibliothek hinzufügen",
"add_location": "Standort hinzufügen",
"add_location_description": "Verbessern Sie Ihr Spacedrive-Erlebnis, indem Sie Ihre bevorzugten Standorte zu Ihrer persönlichen Bibliothek hinzufügen, für eine nahtlose und effiziente Dateiverwaltung.",
"add_location_overview_description": "Verbinden Sie einen lokalen Pfad, ein Volume oder einen Netzwerkstandort mit Spacedrive.",
"add_location_tooltip": "Pfad als indexierten Standort hinzufügen",
"add_locations": "Standorte hinzufügen",
"add_tag": "Tag hinzufügen",
@ -20,11 +22,13 @@
"alpha_release_title": "Alpha-Version",
"appearance": "Erscheinungsbild",
"appearance_description": "Ändern Sie das Aussehen Ihres Clients.",
"apply": "Bewerbung",
"archive": "Archiv",
"archive_coming_soon": "Das Archivieren von Standorten kommt bald...",
"archive_info": "Daten aus der Bibliothek als Archiv extrahieren, nützlich um die Ordnerstruktur des Standorts zu bewahren.",
"are_you_sure": "Sind Sie sicher?",
"ask_spacedrive": "Fragen Sie Spacedrive",
"asc": "Aufsteigend",
"assign_tag": "Tag zuweisen",
"audio_preview_not_supported": "Audio-Vorschau wird nicht unterstützt.",
"back": "Zurück",
@ -46,11 +50,18 @@
"close": "Schließen",
"close_command_palette": "Befehlspalette schließen",
"close_current_tab": "Aktuellen Tab schließen",
"cloud": "Cloud",
"cloud_drives": "Cloud-Laufwerke",
"clouds": "Clouds",
"color": "Farbe",
"coming_soon": "Demnächst",
"contains": "enthält",
"compress": "Komprimieren",
"configure_location": "Standort konfigurieren",
"connect_cloud": "Eine Wolke anschließen",
"connect_cloud_description": "Verbinden Sie Ihre Cloud-Konten mit Spacedrive.",
"connect_device": "Ein Gerät anschließen",
"connect_device_description": "Spacedrive funktioniert am besten auf allen Ihren Geräten.",
"connected": "Verbunden",
"contacts": "Kontakte",
"contacts_description": "Verwalten Sie Ihre Kontakte in Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Ausschneiden",
"cut_object": "Objekt ausschneiden",
"cut_success": "Elemente ausschneiden",
"dark": "Dunkel",
"data_folder": "Datenordner",
"date_format": "Datumsformat",
"date_format_description": "Wählen Sie das in Spacedrive angezeigte Datumsformat",
"date_accessed": "Datum zugegriffen",
"date_created": "Datum erstellt",
"date_indexed": "Datum der Indexierung",
"date_modified": "Datum geändert",
"date_taken": "Datum genommen",
"date_time_format": "Format von Datum und Uhrzeit",
"date_time_format_description": "Wählen Sie das in Spacedrive angezeigte Datumsformat",
"debug_mode": "Debug-Modus",
"debug_mode_description": "Zusätzliche Debugging-Funktionen in der App aktivieren.",
"default": "Standard",
"desc": "Absteigend",
"random": "Zufällig",
"ipv6": "IPv6-Netzwerk",
"ipv6_description": "Ermöglichen Sie Peer-to-Peer-Kommunikation über IPv6-Netzwerke",
"is": "ist",
"is_not": "ist nicht",
"default_settings": "Standardeinstellungen",
"delete": "Löschen",
"delete_dialog_title": "{{prefix}} {{type}} löschen",
@ -138,12 +157,20 @@
"enable_networking": "Netzwerk aktivieren",
"enable_networking_description": "Ermöglichen Sie Ihrem Knoten die Kommunikation mit anderen Spacedrive-Knoten in Ihrer Nähe.",
"enable_networking_description_required": "Erforderlich für Bibliothekssynchronisierung oder Spacedrop!",
"spacedrop": "Sichtbarkeit von Spacedrops",
"spacedrop_everyone": "Alle",
"spacedrop_contacts_only": "Nur Kontakte",
"spacedrop_disabled": "Deaktiviert",
"remote_access": "Aktivieren Sie den Fernzugriff",
"remote_access_description": "Ermöglichen Sie anderen Knoten, eine direkte Verbindung zu diesem Knoten herzustellen.",
"encrypt": "Verschlüsseln",
"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.",
"ends_with": "endet mit",
"ephemeral_notice_browse": "Durchsuchen Sie Ihre Dateien und Ordner direkt von Ihrem Gerät.",
"ephemeral_notice_consider_indexing": "Erwägen Sie, Ihre lokalen Standorte zu indizieren, für eine schnellere und effizientere Erkundung.",
"equals": "ist",
"erase": "Löschen",
"erase_a_file": "Eine Datei löschen",
"erase_a_file_description": "Konfigurieren Sie Ihre Lösch-Einstellungen.",
@ -158,6 +185,7 @@
"export_library": "Bibliothek exportieren",
"export_library_coming_soon": "Bibliotheksexport kommt bald",
"export_library_description": "Diese Bibliothek in eine Datei exportieren.",
"extension": "Erweiterung",
"extensions": "Erweiterungen",
"extensions_description": "Installieren Sie Erweiterungen, um die Funktionalität dieses Clients zu erweitern.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Beim Senden Ihres Feedbacks ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.",
"file_already_exist_in_this_location": "Die Datei existiert bereits an diesem Speicherort",
"file_indexing_rules": "Dateiindizierungsregeln",
"filter": "Filter",
"filters": "Filter",
"forward": "Vorwärts",
"free_of": "frei von",
"from": "von",
"full_disk_access": "Vollzugriff auf die Festplatte",
"full_disk_access_description": "Um Ihnen die beste Erfahrung zu bieten, benötigen wir Zugriff auf Ihre Festplatte, um Ihre Dateien zu indizieren. Ihre Dateien sind nur für Sie verfügbar.",
"full_reindex": "Vollständiges Neuindizieren",
@ -211,6 +242,7 @@
"grid_gap": "Abstand",
"grid_view": "Rasteransicht",
"grid_view_notice_description": "Erhalten Sie einen visuellen Überblick über Ihre Dateien mit der Rasteransicht. Diese Ansicht zeigt Ihre Dateien und Ordner als Miniaturbilder an, was Ihnen das schnelle Auffinden der gesuchten Datei erleichtert.",
"hidden": "Versteckt",
"hidden_label": "Verhindert, dass der Standort und dessen Inhalt in Zusammenfassungskategorien, der Suche und Tags erscheinen, es sei denn, die Option \"Versteckte Elemente anzeigen\" ist aktiviert.",
"hide_in_library_search": "In der Bibliotheksuche verstecken",
"hide_in_library_search_description": "Dateien mit diesem Tag in den Ergebnissen verstecken, wenn die gesamte Bibliothek durchsucht wird.",
@ -229,8 +261,6 @@
"install": "Installieren",
"install_update": "Update installieren",
"installed": "Installiert",
"ipv6": "IPv6-Netzwerk",
"ipv6_description": "Ermöglichen Sie Peer-to-Peer-Kommunikation über IPv6-Netzwerke",
"item_size": "Elementgröße",
"item_with_count_one": "{{count}} artikel",
"item_with_count_other": "{{count}} artikel",
@ -249,6 +279,8 @@
"keybinds_description": "Client-Tastenkombinationen anzeigen und verwalten",
"keys": "Schlüssel",
"kilometers": "Kilometer",
"kind": "Typ",
"label": "Label",
"labels": "Labels",
"language": "Sprache",
"language_description": "Ändern Sie die Sprache der Spacedrive-Benutzeroberfläche",
@ -256,16 +288,20 @@
"libraries": "Bibliotheken",
"libraries_description": "Die Datenbank enthält alle Bibliotheksdaten und Dateimetadaten.",
"library": "Bibliothek",
"library_db_size": "Indexgröße",
"library_db_size_description": "Die Größe der Bibliotheksdatenbank.",
"library_name": "Bibliotheksname",
"library_overview": "Bibliotheksübersicht",
"library_settings": "Bibliothekseinstellungen",
"library_settings_description": "Allgemeine Einstellungen in Bezug auf die aktuell aktive Bibliothek.",
"light": "Licht",
"list_view": "Listenansicht",
"list_view_notice_description": "Navigieren Sie einfach durch Ihre Dateien und Ordner mit der Listenansicht. Diese Ansicht zeigt Ihre Dateien in einem einfachen, organisierten Listenformat an, sodass Sie schnell die benötigten Dateien finden und darauf zugreifen können.",
"loading": "Laden",
"local": "Lokal",
"local_locations": "Lokale Standorte",
"local_node": "Lokaler Knoten",
"location": "Standort",
"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.",
@ -333,13 +369,17 @@
"no_nodes_found": "Es wurden keine Spacedrive-Knoten gefunden.",
"no_tag_selected": "Kein Tag ausgewählt",
"no_tags": "Keine Tags",
"no_tags_description": "You have not created any tags",
"no_search_selected": "No Search Selected",
"node_name": "Knotenname",
"nodes": "Knoten",
"nodes_description": "Verwalten Sie 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",
"not_you": "Nicht Sie?",
"nothing_selected": "Nichts ausgewählt",
"number_of_passes": "Anzahl der Durchläufe",
"object": "Objekt",
"object_id": "Objekt-ID",
"offline": "Offline",
"online": "Online",
@ -352,7 +392,7 @@
"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",
"or": "ODER",
"or": "Oder",
"overview": "Übersicht",
"page": "Seite",
"page_shortcut_description": "Verschiedene Seiten in der App",
@ -364,15 +404,17 @@
"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",
"paths": "Pfade",
"pause": "Pausieren",
"peers": "Peers",
"people": "Personen",
"pin": "Stift",
"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_view": "Schnellansicht",
"random": "Zufällig",
"recent_jobs": "Aktuelle Aufgaben",
"recents": "Zuletzt verwendet",
"recents_notice_message": "Aktuelle Dateien werden erstellt, wenn Sie eine Datei öffnen.",
@ -382,8 +424,6 @@
"reindex": "Neu indizieren",
"reject": "Ablehnen",
"reload": "Neu laden",
"remote_access": "Aktivieren Sie den Fernzugriff",
"remote_access_description": "Ermöglichen Sie anderen Knoten, eine direkte Verbindung zu diesem Knoten herzustellen.",
"remove": "Entfernen",
"remove_from_recents": "Aus den aktuellen Dokumenten entfernen",
"rename": "Umbenennen",
@ -402,10 +442,12 @@
"running": "Läuft",
"save": "Speichern",
"save_changes": "Änderungen speichern",
"save_search": "Save Search",
"saved_searches": "Gespeicherte Suchen",
"search": "Suchen",
"search_extensions": "Erweiterungen suchen",
"search_for_files_and_actions": "Nach Dateien und Aktionen suchen...",
"search_locations": "Standorte suchen",
"secure_delete": "Sicheres Löschen",
"security": "Sicherheit",
"security_description": "Halten Sie Ihren Client sicher.",
@ -436,16 +478,13 @@
"spacedrive_account": "Spacedrive-Konto",
"spacedrive_cloud": "Spacedrive-Cloud",
"spacedrive_cloud_description": "Spacedrive ist immer lokal zuerst, aber wir werden in Zukunft unsere eigenen optionalen Cloud-Dienste anbieten. Derzeit wird die Authentifizierung nur für die Feedback-Funktion verwendet, ansonsten ist sie nicht erforderlich.",
"spacedrop": "Sichtbarkeit von Spacedrops",
"spacedrop_a_file": "Eine Datei Spacedropen",
"spacedrop_already_progress": "Spacedrop bereits im Gange",
"spacedrop_contacts_only": "Nur Kontakte",
"spacedrop_description": "Sofortiges Teilen mit Geräten, die Spacedrive in Ihrem Netzwerk ausführen.",
"spacedrop_disabled": "Deaktiviert",
"spacedrop_everyone": "Alle",
"spacedrop_rejected": "Spacedrop abgelehnt",
"square_thumbnails": "Quadratische Vorschaubilder",
"star_on_github": "Auf GitHub als Favorit markieren",
"starts_with": "beginnt mit",
"stop": "Stoppen",
"success": "Erfolg",
"support": "Unterstützung",
@ -459,6 +498,7 @@
"sync_description": "Verwaltung der Synchronisierung in Spacedrive.",
"sync_with_library": "Mit Bibliothek synchronisieren",
"sync_with_library_description": "Wenn aktiviert, werden Ihre Tastenkombinationen mit der Bibliothek synchronisiert, ansonsten gelten sie nur für diesen Client.",
"system": "System",
"tags": "Tags",
"tags_description": "Verwalten Sie Ihre Tags.",
"tags_notice_message": "Diesem Tag sind keine Elemente zugewiesen.",
@ -470,6 +510,7 @@
"thank_you_for_your_feedback": "Vielen Dank für Ihr Feedback!",
"thumbnailer_cpu_usage": "CPU-Nutzung des Thumbnailers",
"thumbnailer_cpu_usage_description": "Begrenzen Sie, wie viel CPU der Thumbnailer für Hintergrundverarbeitung verwenden kann.",
"to": "zu",
"toggle_all": "Alles umschalten",
"toggle_command_palette": "Befehlspalette umschalten",
"toggle_hidden_files": "Versteckte Dateien umschalten",
@ -486,6 +527,12 @@
"click_to_hide": "Zum Ausblenden klicken",
"click_to_lock": "Zum Sperren klicken",
"tools": "Werkzeuge",
"total_bytes_capacity": "Gesamtkapazität",
"total_bytes_capacity_description": "Die Gesamtkapazität aller mit der Bibliothek verbundenen Knoten. Kann während Alpha falsche Werte anzeigen.",
"total_bytes_free": "Freiraum",
"total_bytes_free_description": "Frei verfügbarer Speicherplatz auf allen mit der Bibliothek verbundenen Knoten.",
"total_bytes_used": "Genutzter Raum insgesamt",
"total_bytes_used_description": "Insgesamt belegter Speicherplatz auf allen mit der Bibliothek verbundenen Knoten.",
"trash": "Müll",
"type": "Typ",
"ui_animations": "UI-Animationen",
@ -505,6 +552,7 @@
"view_changes": "Änderungen anzeigen",
"want_to_do_this_later": "Möchten Sie dies später erledigen?",
"website": "Webseite",
"with_descendants": "Mit Nachkommen",
"your_account": "Ihr Konto",
"your_account_description": "Spacedrive-Konto und -Informationen.",
"your_local_network": "Ihr lokales Netzwerk",

View file

@ -8,9 +8,11 @@
"actions": "Actions",
"add": "Add",
"add_device": "Add Device",
"add_filter": "Add Filter",
"add_library": "Add Library",
"add_location": "Add Location",
"add_location_description": "Enhance your Spacedrive experience by adding your favorite locations to your personal library, for seamless and efficient file management.",
"add_location_overview_description": "Connect a local path, volume or network location to Spacedrive.",
"add_location_tooltip": "Add path as an indexed location",
"add_locations": "Add Locations",
"add_tag": "Add Tag",
@ -20,11 +22,13 @@
"alpha_release_title": "Alpha Release",
"appearance": "Appearance",
"appearance_description": "Change the look of your client.",
"apply": "Apply",
"archive": "Archive",
"archive_coming_soon": "Archiving locations is coming soon...",
"archive_info": "Extract data from Library as an archive, useful to preserve Location folder structure.",
"are_you_sure": "Are you sure?",
"ask_spacedrive": "Ask Spacedrive",
"asc": "Asc",
"assign_tag": "Assign tag",
"audio_preview_not_supported": "Audio preview is not supported.",
"back": "Back",
@ -46,11 +50,18 @@
"close": "Close",
"close_command_palette": "Close command palette",
"close_current_tab": "Close current tab",
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"clouds": "Clouds",
"color": "Color",
"coming_soon": "Coming soon",
"contains": "contains",
"compress": "Compress",
"configure_location": "Configure Location",
"connect_cloud": "Connect a cloud",
"connect_cloud_description": "Connect your cloud accounts to Spacedrive.",
"connect_device": "Connect a device",
"connect_device_description": "Spacedrive works best on all your devices.",
"connected": "Connected",
"contacts": "Contacts",
"contacts_description": "Manage your contacts in Spacedrive.",
@ -86,19 +97,24 @@
"cut": "Cut",
"cut_object": "Cut object",
"cut_success": "Items cut",
"dark": "Dark",
"data_folder": "Data Folder",
"date_format": "Date Format",
"date_format_description": "Choose the date format displayed in Spacedrive",
"date_accessed": "Date Accessed",
"date_created": "Date Created",
"date_indexed": "Date Indexed",
"date_modified": "Date Modified",
"date_taken": "Date Taken",
"date_time_format": "Date and Time Format",
"date_time_format_description": "Choose the date format displayed in Spacedrive",
"debug_mode": "Debug mode",
"debug_mode_description": "Enable extra debugging features within the app.",
"default": "Default",
"desc": "Descending",
"random": "Random",
"ipv6": "IPv6 networking",
"ipv6_description": "Allow peer-to-peer communication using IPv6 networking",
"is": "is",
"is_not": "is not",
"default_settings": "Default Settings",
"delete": "Delete",
"delete_dialog_title": "Delete {{prefix}} {{type}}",
@ -151,8 +167,10 @@
"encrypt_library": "Encrypt Library",
"encrypt_library_coming_soon": "Library encryption coming soon",
"encrypt_library_description": "Enable encryption for this library, this will only encrypt the Spacedrive database, not the files themselves.",
"ends_with": "ends with",
"ephemeral_notice_browse": "Browse your files and folders directly from your device.",
"ephemeral_notice_consider_indexing": "Consider indexing your local locations for a faster and more efficient exploration.",
"equals": "is",
"erase": "Erase",
"erase_a_file": "Erase a file",
"erase_a_file_description": "Configure your erasure settings.",
@ -167,6 +185,7 @@
"export_library": "Export Library",
"export_library_coming_soon": "Export Library coming soon",
"export_library_description": "Export this library to a file.",
"extension": "Extension",
"extensions": "Extensions",
"extensions_description": "Install extensions to extend the functionality of this client.",
"fahrenheit": "Fahrenheit",
@ -197,8 +216,11 @@
"feedback_toast_error_message": "There was an error submitting your feedback. Please try again.",
"file_already_exist_in_this_location": "File already exists in this location",
"file_indexing_rules": "File indexing rules",
"filter": "Filter",
"filters": "Filters",
"forward": "Forward",
"free_of": "free of",
"from": "from",
"full_disk_access": "Full disk access",
"full_disk_access_description": "To provide the best experience, we need access to your disk in order to index your files. Your files are only available to you.",
"full_reindex": "Full Reindex",
@ -220,6 +242,7 @@
"grid_gap": "Gap",
"grid_view": "Grid View",
"grid_view_notice_description": "Get a visual overview of your files with Grid View. This view displays your files and folders as thumbnail images, making it easy to quickly identify the file you're looking for.",
"hidden": "Hidden",
"hidden_label": "Prevents the location and its contents from appearing in summary categories, search and tags unless \"Show hidden items\" is enabled.",
"hide_in_library_search": "Hide in Library search",
"hide_in_library_search_description": "Hide files with this tag from results when searching entire library.",
@ -256,6 +279,8 @@
"keybinds_description": "View and manage client keybinds",
"keys": "Keys",
"kilometers": "Kilometers",
"kind": "Kind",
"label": "Label",
"labels": "Labels",
"language": "Language",
"language_description": "Change the language of the Spacedrive interface",
@ -263,16 +288,20 @@
"libraries": "Libraries",
"libraries_description": "The database contains all library data and file metadata.",
"library": "Library",
"library_db_size": "Index size",
"library_db_size_description": "The size of the library database.",
"library_name": "Library name",
"library_overview": "Library Overview",
"library_settings": "Library Settings",
"library_settings_description": "General settings related to the currently active library.",
"light": "Light",
"list_view": "List View",
"list_view_notice_description": "Easily navigate through your files and folders with List View. This view displays your files in a simple, organized list format, allowing you to quickly locate and access the files you need.",
"loading": "Loading",
"local": "Local",
"local_locations": "Local Locations",
"local_node": "Local Node",
"location": "Location",
"location_connected_tooltip": "Location is being watched for changes",
"location_disconnected_tooltip": "Location is not being watched for changes",
"location_display_name_info": "The name of this Location, this is what will be displayed in the sidebar. Will not rename the actual folder on disk.",
@ -340,13 +369,17 @@
"no_nodes_found": "No Spacedrive nodes were found.",
"no_tag_selected": "No Tag Selected",
"no_tags": "No tags",
"no_tags_description": "You have not created any tags",
"no_search_selected": "No Search Selected",
"node_name": "Node Name",
"nodes": "Nodes",
"nodes_description": "Manage the nodes connected to this library. A node is an instance of Spacedrive's backend, running on a device or server. Each node carries a copy of the database and synchronizes via peer-to-peer connections in realtime.",
"none": "None",
"normal": "Normal",
"not_you": "Not you?",
"nothing_selected": "Nothing selected",
"number_of_passes": "# of passes",
"object": "Object",
"object_id": "Object ID",
"offline": "Offline",
"online": "Online",
@ -371,10 +404,13 @@
"path": "Path",
"path_copied_to_clipboard_description": "Path for location {{location}} copied to clipboard.",
"path_copied_to_clipboard_title": "Path copied to clipboard",
"paths": "Paths",
"pause": "Pause",
"peers": "Peers",
"people": "People",
"pin": "Pin",
"preview_media_bytes": "Preview media",
"preview_media_bytes_description": "The total size of all preview media files, such as thumbnails.",
"privacy": "Privacy",
"privacy_description": "Spacedrive is built for privacy, that's why we're open source and local first. So we'll make it very clear what data is shared with us.",
"quick_preview": "Quick Preview",
@ -406,10 +442,12 @@
"running": "Running",
"save": "Save",
"save_changes": "Save Changes",
"save_search": "Save Search",
"saved_searches": "Saved Searches",
"search": "Search",
"search_extensions": "Search extensions",
"search_for_files_and_actions": "Search for files and actions...",
"search_locations": "Search locations",
"secure_delete": "Secure delete",
"security": "Security",
"security_description": "Keep your client safe.",
@ -446,6 +484,7 @@
"spacedrop_rejected": "Spacedrop rejected",
"square_thumbnails": "Square Thumbnails",
"star_on_github": "Star on GitHub",
"starts_with": "starts with",
"stop": "Stop",
"success": "Success",
"support": "Support",
@ -459,6 +498,7 @@
"sync_description": "Manage how Spacedrive syncs.",
"sync_with_library": "Sync with Library",
"sync_with_library_description": "If enabled, your keybinds will be synced with library, otherwise they will apply only to this client.",
"system": "System",
"tags": "Tags",
"tags_description": "Manage your tags.",
"tags_notice_message": "No items assigned to this tag.",
@ -470,6 +510,7 @@
"thank_you_for_your_feedback": "Thanks for your feedback!",
"thumbnailer_cpu_usage": "Thumbnailer CPU usage",
"thumbnailer_cpu_usage_description": "Limit how much CPU the thumbnailer can use for background processing.",
"to": "to",
"toggle_all": "Toggle All",
"toggle_command_palette": "Toggle command palette",
"toggle_hidden_files": "Toggle hidden files",
@ -486,6 +527,12 @@
"click_to_hide": "Click to hide",
"click_to_lock": "Click to lock",
"tools": "Tools",
"total_bytes_capacity": "Total capacity",
"total_bytes_capacity_description":"The total capacity of all nodes connected to the library. May show incorrect values during alpha.",
"total_bytes_free": "Free space",
"total_bytes_free_description": "Free space available on all nodes connected to the library.",
"total_bytes_used": "Total used space",
"total_bytes_used_description": "Total space used on all nodes connected to the library.",
"trash": "Trash",
"type": "Type",
"ui_animations": "UI Animations",
@ -505,6 +552,7 @@
"view_changes": "View Changes",
"want_to_do_this_later": "Want to do this later?",
"website": "Website",
"with_descendants": "With Descendants",
"your_account": "Your account",
"your_account_description": "Spacedrive account and information.",
"your_local_network": "Your Local Network",

View file

@ -8,9 +8,11 @@
"actions": "Acciones",
"add": "Agregar",
"add_device": "Agregar Dispositivo",
"add_filter": "Añadir filtro",
"add_library": "Agregar Biblioteca",
"add_location": "Agregar ubicación",
"add_location_description": "Mejora tu experiencia en Spacedrive agregando tus ubicaciones favoritas a tu biblioteca personal, para una gestión de archivos eficiente y sin interrupciones.",
"add_location_overview_description": "Conecta una ruta local, un volumen o una ubicación de red a Spacedrive.",
"add_location_tooltip": "Agregar ruta como una ubicación indexada",
"add_locations": "Agregar Ubicaciones",
"add_tag": "Agregar Etiqueta",
@ -20,11 +22,13 @@
"alpha_release_title": "Lanzamiento Alpha",
"appearance": "Apariencia",
"appearance_description": "Cambia la apariencia de tu cliente.",
"apply": "Solicitar",
"archive": "Archivo",
"archive_coming_soon": "El archivado de ubicaciones estará disponible pronto...",
"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",
"assign_tag": "Asignar etiqueta",
"audio_preview_not_supported": "La previsualización de audio no está soportada.",
"back": "Atrás",
@ -46,11 +50,18 @@
"close": "Cerrar",
"close_command_palette": "Cerrar paleta de comandos",
"close_current_tab": "Cerrar pestaña actual",
"cloud": "Nube",
"cloud_drives": "Unidades en la nube",
"clouds": "Nubes",
"color": "Color",
"coming_soon": "Próximamente",
"contains": "contiene",
"compress": "Comprimir",
"configure_location": "Configurar Ubicación",
"connect_cloud": "Conectar una nube",
"connect_cloud_description": "Conecta tus cuentas en la nube a Spacedrive.",
"connect_device": "Conectar un dispositivo",
"connect_device_description": "Spacedrive funciona mejor en todos tus dispositivos.",
"connected": "Conectado",
"contacts": "Contactos",
"contacts_description": "Administra tus contactos en Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Cortar",
"cut_object": "Cortar objeto",
"cut_success": "Elementos cortados",
"dark": "Oscuro",
"data_folder": "Carpeta de datos",
"date_format": "Formato de fecha",
"date_format_description": "Elija el formato de fecha que se muestra en Spacedrive",
"date_accessed": "Fecha accesada",
"date_created": "fecha de creacion",
"date_indexed": "Fecha indexada",
"date_modified": "Fecha modificada",
"date_taken": "Fecha de realización",
"date_time_format": "Formato de fecha y hora",
"date_time_format_description": "Elija el formato de fecha que aparece en Spacedrive",
"debug_mode": "Modo de depuración",
"debug_mode_description": "Habilitar funciones de depuración adicionales dentro de la aplicación.",
"default": "Predeterminado",
"desc": "Descendente",
"random": "Aleatorio",
"ipv6": "redes IPv6",
"ipv6_description": "Permitir la comunicación entre pares mediante redes IPv6",
"is": "es",
"is_not": "no es",
"default_settings": "Configuración por defecto",
"delete": "Eliminar",
"delete_dialog_title": "Eliminar {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "Habilitar Redes",
"enable_networking_description": "Permita que su nodo se comunique con otros nodos Spacedrive a su alrededor.",
"enable_networking_description_required": "¡Requerido para la sincronización de la biblioteca o Spacedrop!",
"spacedrop": "Visibilidad de lanzamiento espacial",
"spacedrop_everyone": "Todos",
"spacedrop_contacts_only": "Solo contactos",
"spacedrop_disabled": "Desactivado",
"remote_access": "Habilitar acceso remoto",
"remote_access_description": "Permita que otros nodos se conecten directamente a este nodo.",
"encrypt": "Encriptar",
"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í.",
"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.",
"equals": "es",
"erase": "Borrar",
"erase_a_file": "Borrar un archivo",
"erase_a_file_description": "Configura tus ajustes de borrado.",
@ -158,6 +185,7 @@
"export_library": "Exportar Biblioteca",
"export_library_coming_soon": "Exportación de biblioteca próximamente",
"export_library_description": "Exporta esta biblioteca a un archivo.",
"extension": "Extensión",
"extensions": "Extensiones",
"extensions_description": "Instala extensiones para extender la funcionalidad de este cliente.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Hubo un error al enviar tu retroalimentación. Por favor, inténtalo de nuevo.",
"file_already_exist_in_this_location": "El archivo ya existe en esta ubicación",
"file_indexing_rules": "Reglas de indexación de archivos",
"filter": "Filtro",
"filters": "Filtros",
"forward": "Adelante",
"free_of": "libre de",
"from": "libre de",
"full_disk_access": "Acceso completo al disco",
"full_disk_access_description": "Para proporcionar la mejor experiencia, necesitamos acceso a tu disco para indexar tus archivos. Tus archivos solo están disponibles para ti.",
"full_reindex": "Reindexación completa",
@ -211,6 +242,7 @@
"grid_gap": "Espaciado",
"grid_view": "Vista de Cuadrícula",
"grid_view_notice_description": "Obtén una visión general de tus archivos con la Vista de Cuadrícula. Esta vista muestra tus archivos y carpetas como imágenes en miniatura, facilitando la identificación rápida del archivo que buscas.",
"hidden": "Oculto",
"hidden_label": "Evita que la ubicación y su contenido aparezcan en categorías resumen, búsqueda y etiquetas a menos que \"Mostrar elementos ocultos\" esté habilitado.",
"hide_in_library_search": "Ocultar en la búsqueda de la Biblioteca",
"hide_in_library_search_description": "Oculta archivos con esta etiqueta de los resultados al buscar en toda la biblioteca.",
@ -229,10 +261,9 @@
"install": "Instalar",
"install_update": "Instalar Actualización",
"installed": "Instalado",
"ipv6": "redes IPv6",
"ipv6_description": "Permitir la comunicación entre pares mediante redes IPv6",
"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",
"job_has_been_canceled": "El trabajo ha sido cancelado.",
"job_has_been_paused": "El trabajo ha sido pausado.",
@ -249,6 +280,8 @@
"keybinds_description": "Ver y administrar atajos de teclado del cliente",
"keys": "Claves",
"kilometers": "Kilómetros",
"kind": "Tipo",
"label": "Etiqueta",
"labels": "Etiquetas",
"language": "Idioma",
"language_description": "Cambiar el idioma de la interfaz de Spacedrive",
@ -256,16 +289,20 @@
"libraries": "Bibliotecas",
"libraries_description": "La base de datos contiene todos los datos de la biblioteca y metadatos de archivos.",
"library": "Biblioteca",
"library_db_size": "Tamaño de índice",
"library_db_size_description": "El tamaño de la base de datos de la biblioteca.",
"library_name": "Nombre de la Biblioteca",
"library_overview": "Resumen de la Biblioteca",
"library_settings": "Configuraciones de la Biblioteca",
"library_settings_description": "Configuraciones generales relacionadas con la biblioteca activa actualmente.",
"light": "Luz",
"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",
"local": "Local",
"local_locations": "Ubicaciones Locales",
"local_node": "Nodo Local",
"location": "Ubicación",
"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.",
@ -333,13 +370,17 @@
"no_nodes_found": "No se encontraron nodos de Spacedrive.",
"no_tag_selected": "No se seleccionó etiqueta",
"no_tags": "No hay etiquetas",
"no_tags_description": "No has creado ninguna etiqueta",
"no_search_selected": "Ninguna búsqueda seleccionada",
"node_name": "Nombre del Nodo",
"nodes": "Nodos",
"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",
"not_you": "¿No eres tú?",
"nothing_selected": "Nothing selected",
"number_of_passes": "# de pasadas",
"object": "Objeto",
"object_id": "ID de Objeto",
"offline": "Fuera de línea",
"online": "En línea",
@ -364,15 +405,17 @@
"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",
"paths": "Caminos",
"pause": "Pausar",
"peers": "Pares",
"people": "Gente",
"pin": "Alfiler",
"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_view": "Vista rápida",
"random": "Aleatorio",
"recent_jobs": "Trabajos recientes",
"recents": "Recientes",
"recents_notice_message": "Los recientes se crean cuando abres un archivo.",
@ -382,8 +425,6 @@
"reindex": "Reindexar",
"reject": "Rechazar",
"reload": "Recargar",
"remote_access": "Habilitar acceso remoto",
"remote_access_description": "Permita que otros nodos se conecten directamente a este nodo.",
"remove": "Eliminar",
"remove_from_recents": "Eliminar de Recientes",
"rename": "Renombrar",
@ -402,10 +443,12 @@
"running": "Ejecutando",
"save": "Guardar",
"save_changes": "Guardar Cambios",
"save_search": "Save Search",
"saved_searches": "Búsquedas Guardadas",
"search": "Buscar",
"search_extensions": "Buscar extensiones",
"search_for_files_and_actions": "Buscar archivos y acciones...",
"search_locations": "Search locations",
"secure_delete": "Borrado seguro",
"security": "Seguridad",
"security_description": "Mantén tu cliente seguro.",
@ -436,16 +479,13 @@
"spacedrive_account": "Cuenta de Spacedrive",
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "Spacedrive siempre es primero local, pero ofreceremos nuestros propios servicios en la nube opcionalmente en el futuro. Por ahora, la autenticación solo se utiliza para la función de retroalimentación, de lo contrario no es requerida.",
"spacedrop": "Visibilidad de lanzamiento espacial",
"spacedrop_a_file": "Soltar un Archivo",
"spacedrop_already_progress": "Spacedrop ya está en progreso",
"spacedrop_contacts_only": "Solo contactos",
"spacedrop_description": "Comparta al instante con dispositivos que ejecuten Spacedrive en su red.",
"spacedrop_disabled": "Desactivado",
"spacedrop_everyone": "Todos",
"spacedrop_rejected": "Spacedrop rechazado",
"square_thumbnails": "Miniaturas Cuadradas",
"star_on_github": "Dar estrella en GitHub",
"starts_with": "comienza con",
"stop": "Detener",
"success": "Éxito",
"support": "Soporte",
@ -459,6 +499,7 @@
"sync_description": "Administra cómo se sincroniza Spacedrive.",
"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",
"tags": "Etiquetas",
"tags_description": "Administra tus etiquetas.",
"tags_notice_message": "No hay elementos asignados a esta etiqueta.",
@ -470,6 +511,7 @@
"thank_you_for_your_feedback": "¡Gracias por tu retroalimentación!",
"thumbnailer_cpu_usage": "Uso de CPU del generador de miniaturas",
"thumbnailer_cpu_usage_description": "Limita cuánto CPU puede usar el generador de miniaturas para el procesamiento en segundo plano.",
"to": "a",
"toggle_all": "Seleccionar todo",
"toggle_command_palette": "Alternar paleta de comandos",
"toggle_hidden_files": "Alternar archivos ocultos",
@ -486,6 +528,12 @@
"click_to_hide": "Clic para ocultar",
"click_to_lock": "Clic para bloquear",
"tools": "Herramientas",
"total_bytes_capacity": "Capacidad total",
"total_bytes_capacity_description": "La capacidad total de todos los nodos conectados a la biblioteca. Puede mostrar valores incorrectos durante alfa.",
"total_bytes_free": "Espacio libre",
"total_bytes_free_description": "Espacio libre disponible en todos los nodos conectados a la biblioteca.",
"total_bytes_used": "Espacio total utilizado",
"total_bytes_used_description": "Espacio total utilizado en todos los nodos conectados a la biblioteca.",
"trash": "Basura",
"type": "Tipo",
"ui_animations": "Animaciones de la UI",
@ -505,6 +553,7 @@
"view_changes": "Ver cambios",
"want_to_do_this_later": "¿Quieres hacer esto más tarde?",
"website": "Sitio web",
"with_descendants": "Con descendientes",
"your_account": "Tu cuenta",
"your_account_description": "Cuenta de Spacedrive e información.",
"your_local_network": "Tu Red Local",

View file

@ -8,9 +8,11 @@
"actions": "Actions",
"add": "Ajouter",
"add_device": "Ajouter un appareil",
"add_filter": "Ajouter un filtre",
"add_library": "Ajouter une bibliothèque",
"add_location": "Ajouter un emplacement",
"add_location_description": "Améliorez votre expérience Spacedrive en ajoutant vos emplacements préférés à votre bibliothèque personnelle, pour une gestion des fichiers fluide et efficace.",
"add_location_overview_description": "Connecter un chemin local, un volume ou un emplacement réseau à Spacedrive.",
"add_location_tooltip": "Ajouter le chemin comme emplacement indexé",
"add_locations": "Ajouter des emplacements",
"add_tag": "Ajouter une étiquette",
@ -20,11 +22,13 @@
"alpha_release_title": "Version Alpha",
"appearance": "Apparence",
"appearance_description": "Changez l'apparence de votre client.",
"apply": "Appliquer",
"archive": "Archiver",
"archive_coming_soon": "L'archivage des emplacements arrive bientôt...",
"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",
"assign_tag": "Attribuer une étiquette",
"audio_preview_not_supported": "L'aperçu audio n'est pas pris en charge.",
"back": "Retour",
@ -46,11 +50,18 @@
"close": "Fermer",
"close_command_palette": "Fermer la palette de commandes",
"close_current_tab": "Fermer l'onglet actuel",
"cloud": "Nuage",
"cloud_drives": "Lecteurs en nuage",
"clouds": "Nuages",
"color": "Couleur",
"coming_soon": "Bientôt",
"contains": "contient",
"compress": "Compresser",
"configure_location": "Configurer l'emplacement",
"connect_cloud": "Connecter un nuage",
"connect_cloud_description": "Connectez vos comptes cloud à Spacedrive.",
"connect_device": "Connecter un appareil",
"connect_device_description": "Spacedrive fonctionne mieux sur tous vos appareils.",
"connected": "Connecté",
"contacts": "Contacts",
"contacts_description": "Gérez vos contacts dans Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Couper",
"cut_object": "Couper l'objet",
"cut_success": "Éléments coupés",
"dark": "Sombre",
"data_folder": "Dossier de données",
"date_format": "Format de date",
"date_format_description": "Choisissez le format de date affiché dans Spacedrive",
"date_accessed": "Date d'accès",
"date_created": "date créée",
"date_indexed": "Date d'indexation",
"date_modified": "Date modifiée",
"date_taken": "Date de la prise",
"date_time_format": "Format de date et d'heure",
"date_time_format_description": "Choisissez le format de date affiché dans Spacedrive",
"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",
"random": "Aléatoire",
"ipv6": "Mise en réseau IPv6",
"ipv6_description": "Autoriser la communication peer-to-peer à l'aide du réseau IPv6",
"is": "est",
"is_not": "n'est pas",
"default_settings": "Paramètres par défaut",
"delete": "Supprimer",
"delete_dialog_title": "Supprimer {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "Activer le réseau",
"enable_networking_description": "Autorisez votre nœud à communiquer avec d'autres nœuds Spacedrive autour de vous.",
"enable_networking_description_required": "Requis pour la synchronisation de la bibliothèque ou Spacedrop !",
"spacedrop": "Visibilité du largage spatial",
"spacedrop_everyone": "Tout le monde",
"spacedrop_contacts_only": "Contacts uniquement",
"spacedrop_disabled": "Désactivé",
"remote_access": "Activer l'accès à distance",
"remote_access_description": "Permettez à dautres nœuds de se connecter directement à ce nœud.",
"encrypt": "Chiffrer",
"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.",
"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.",
"equals": "est",
"erase": "Effacer",
"erase_a_file": "Effacer un fichier",
"erase_a_file_description": "Configurez vos paramètres d'effacement.",
@ -158,6 +185,7 @@
"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.",
"extension": "Extension",
"extensions": "Extensions",
"extensions_description": "Installez des extensions pour étendre la fonctionnalité de ce client.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Une erreur s'est produite lors de l'envoi de votre retour d'information. Veuillez réessayer.",
"file_already_exist_in_this_location": "Le fichier existe déjà à cet emplacement",
"file_indexing_rules": "Règles d'indexation des fichiers",
"filter": "Filtre",
"filters": "Filtres",
"forward": "Avancer",
"free_of": "libre de",
"from": "de",
"full_disk_access": "Accès complet au disque",
"full_disk_access_description": "Pour offrir la meilleure expérience, nous avons besoin d'accéder à votre disque afin d'indexer vos fichiers. Vos fichiers ne sont accessibles qu'à vous.",
"full_reindex": "Réindexation complète",
@ -211,6 +242,7 @@
"grid_gap": "Écartement de grille",
"grid_view": "Vue en grille",
"grid_view_notice_description": "Obtenez un aperçu visuel de vos fichiers avec la vue en grille. Cette vue affiche vos fichiers et dossiers sous forme d'images miniatures, facilitant l'identification rapide du fichier que vous recherchez.",
"hidden": "Caché",
"hidden_label": "Empêche l'emplacement et son contenu d'apparaître dans les catégories résumées, la recherche et les étiquettes à moins que l'option \"Afficher les éléments cachés\" soit activée.",
"hide_in_library_search": "Masquer dans la recherche de la bibliothèque",
"hide_in_library_search_description": "Masquer les fichiers avec cette étiquette des résultats lors de la recherche dans toute la bibliothèque.",
@ -229,10 +261,9 @@
"install": "Installer",
"install_update": "Installer la mise à jour",
"installed": "Installé",
"ipv6": "Mise en réseau IPv6",
"ipv6_description": "Autoriser la communication peer-to-peer à l'aide du réseau IPv6",
"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",
"job_has_been_canceled": "Le travail a été annulé.",
"job_has_been_paused": "Le travail a été mis en pause.",
@ -249,6 +280,8 @@
"keybinds_description": "Afficher et gérer les raccourcis clavier du client",
"keys": "Clés",
"kilometers": "Kilomètres",
"kind": "Type",
"label": "Étiquette",
"labels": "Étiquettes",
"language": "Langue",
"language_description": "Changer la langue de l'interface Spacedrive",
@ -256,16 +289,20 @@
"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",
"library_db_size": "Taille d'index",
"library_db_size_description": "La taille de la base de données de la bibliothèque.",
"library_name": "Nom de la bibliothèque",
"library_overview": "Aperçu de la bibliothèque",
"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",
"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_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.",
@ -333,13 +370,17 @@
"no_nodes_found": "Aucun nœud Spacedrive n'a été trouvé.",
"no_tag_selected": "Aucune étiquette sélectionnée",
"no_tags": "Aucune étiquette",
"no_tags_description": "You have not created any tags",
"no_search_selected": "No Search Selected",
"node_name": "Nom du nœud",
"nodes": "Nœuds",
"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",
"not_you": "Pas vous ?",
"nothing_selected": "Nothing selected",
"number_of_passes": "Nombre de passes",
"object": "Objet",
"object_id": "ID de l'objet",
"offline": "Hors ligne",
"online": "En ligne",
@ -364,15 +405,17 @@
"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",
"paths": "Chemins",
"pause": "Pause",
"peers": "Pairs",
"people": "Personnes",
"pin": "Épingle",
"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_view": "Vue rapide",
"random": "Aléatoire",
"recent_jobs": "Travaux récents",
"recents": "Récents",
"recents_notice_message": "Les fichiers récents sont créés lorsque vous ouvrez un fichier.",
@ -382,8 +425,6 @@
"reindex": "Réindexer",
"reject": "Rejeter",
"reload": "Recharger",
"remote_access": "Activer l'accès à distance",
"remote_access_description": "Permettez à dautres nœuds de se connecter directement à ce nœud.",
"remove": "Retirer",
"remove_from_recents": "Retirer des récents",
"rename": "Renommer",
@ -402,10 +443,12 @@
"running": "En cours",
"save": "Sauvegarder",
"save_changes": "Sauvegarder les modifications",
"save_search": "Enregistrer la recherche",
"saved_searches": "Recherches enregistrées",
"search": "Recherche",
"search_extensions": "Rechercher des extensions",
"search_for_files_and_actions": "Rechercher des fichiers et des actions...",
"search_locations": "Recherche de lieux",
"secure_delete": "Suppression sécurisée",
"security": "Sécurité",
"security_description": "Gardez votre client en sécurité.",
@ -436,16 +479,13 @@
"spacedrive_account": "Compte Spacedrive",
"spacedrive_cloud": "Cloud Spacedrive",
"spacedrive_cloud_description": "Spacedrive est toujours local en premier lieu, mais nous proposerons nos propres services cloud en option à l'avenir. Pour l'instant, l'authentification est uniquement utilisée pour la fonctionnalité de retour d'information, sinon elle n'est pas requise.",
"spacedrop": "Visibilité du largage spatial",
"spacedrop_a_file": "Déposer un fichier dans Spacedrive",
"spacedrop_already_progress": "Spacedrop déjà en cours",
"spacedrop_contacts_only": "Contacts uniquement",
"spacedrop_description": "Partagez instantanément avec les appareils exécutant Spacedrive sur votre réseau.",
"spacedrop_disabled": "Désactivé",
"spacedrop_everyone": "Tout le monde",
"spacedrop_rejected": "Spacedrop rejeté",
"square_thumbnails": "Vignettes carrées",
"star_on_github": "Mettre une étoile sur GitHub",
"starts_with": "commence par",
"stop": "Arrêter",
"success": "Succès",
"support": "Support",
@ -459,6 +499,7 @@
"sync_description": "Gérer la manière dont Spacedrive se synchronise.",
"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",
"tags_description": "Gérer vos étiquettes.",
"tags_notice_message": "Aucun élément attribué à cette balise.",
@ -470,6 +511,7 @@
"thank_you_for_your_feedback": "Merci pour votre retour d'information !",
"thumbnailer_cpu_usage": "Utilisation CPU du générateur de vignettes",
"thumbnailer_cpu_usage_description": "Limiter la quantité de CPU que le générateur de vignettes peut utiliser pour le traitement en arrière-plan.",
"to": "à",
"toggle_all": "Basculer tous",
"toggle_command_palette": "Basculer la palette de commandes",
"toggle_hidden_files": "Activer/désactiver les fichiers cachés",
@ -486,6 +528,12 @@
"click_to_hide": "Cliquez pour masquer",
"click_to_lock": "Cliquez pour verrouiller",
"tools": "Outils",
"total_bytes_capacity": "Capacité totale",
"total_bytes_capacity_description": "Capacité totale de tous les nœuds connectés à la bibliothèque. Peut afficher des valeurs incorrectes pendant l'alpha.",
"total_bytes_free": "Espace libre",
"total_bytes_free_description": "Espace libre disponible sur tous les nœuds connectés à la bibliothèque.",
"total_bytes_used": "Espace total utilisé",
"total_bytes_used_description": "Espace total utilisé sur tous les nœuds connectés à la bibliothèque.",
"trash": "Poubelle",
"type": "Type",
"ui_animations": "Animations de l'interface",
@ -505,6 +553,7 @@
"view_changes": "Voir les changements",
"want_to_do_this_later": "Vous voulez faire ça plus tard ?",
"website": "Site web",
"with_descendants": "Avec descendants",
"your_account": "Votre compte",
"your_account_description": "Compte et informations Spacedrive.",
"your_local_network": "Votre réseau local",

View file

@ -8,9 +8,11 @@
"actions": "Azioni",
"add": "Aggiungi",
"add_device": "Aggiungi dispositivo",
"add_filter": "Aggiungi filtro",
"add_library": "Aggiungi libreria",
"add_location": "Aggiungi Posizione",
"add_location_description": "Migliora la tua esperienza con Spacedrive aggiungendo le tue posizioni preferite alla tua libreria personale, per una gestione dei file semplice ed efficiente.",
"add_location_overview_description": "Collegare un percorso locale, un volume o una posizione di rete a Spacedrive.",
"add_location_tooltip": "Aggiungi percorso come posizione indicizzata",
"add_locations": "Aggiungi Percorso",
"add_tag": "Aggiungi Tag",
@ -20,11 +22,13 @@
"alpha_release_title": "Versione Alpha",
"appearance": "Aspetto",
"appearance_description": "Cambia l'aspetto del tuo client.",
"apply": "Applicare",
"archive": "Archivio",
"archive_coming_soon": "L'archiviazione delle posizioni arriverà in futuro...",
"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",
"assign_tag": "Assegna tag",
"audio_preview_not_supported": "L'anteprima audio non è disponibile.",
"back": "Indietro",
@ -46,11 +50,18 @@
"close": "Chiudi",
"close_command_palette": "Chiudi la tavolozza dei comandi",
"close_current_tab": "Chiudi scheda corrente",
"cloud": "Cloud",
"cloud_drives": "Unità cloud",
"clouds": "Clouds",
"color": "Colore",
"coming_soon": "In arrivo prossimamente",
"contains": "contiene",
"compress": "Comprimi",
"configure_location": "Configura posizione",
"connect_cloud": "Collegare un cloud",
"connect_cloud_description": "Collegate i vostri account cloud a Spacedrive.",
"connect_device": "Collegare un dispositivo",
"connect_device_description": "Spacedrive funziona al meglio su tutti i dispositivi.",
"connected": "Connesso",
"contacts": "Contatti",
"contacts_description": "Gestisci i tuoi contatti su Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Taglia",
"cut_object": "Taglia oggetto",
"cut_success": "Articoli tagliati",
"dark": "Scuro",
"data_folder": "Cartella dati",
"date_format": "Formato data",
"date_format_description": "Scegli il formato della data visualizzato in Spacedrive",
"date_accessed": "Data di accesso",
"date_created": "data di creazione",
"date_indexed": "Data indicizzata",
"date_modified": "Data modificata",
"date_taken": "Data di assunzione",
"date_time_format": "Formato della data e dell'ora",
"date_time_format_description": "Scegliere il formato della data visualizzato in Spacedrive",
"debug_mode": "Modalità debug",
"debug_mode_description": "Abilita funzionalità di debug aggiuntive all'interno dell'app.",
"default": "Predefinito",
"desc": "In discesa",
"random": "Casuale",
"ipv6": "Rete IPv6",
"ipv6_description": "Consenti la comunicazione peer-to-peer utilizzando la rete IPv6",
"is": "è",
"is_not": "non è",
"default_settings": "Impostazioni predefinite",
"delete": "Elimina",
"delete_dialog_title": "Elimina {{prefix}} {{type}}",
@ -119,7 +138,7 @@
"dialog_shortcut_description": "Per eseguire azioni e operazioni",
"direction": "Direzione",
"disabled": "Disabilitato",
"disconnected": "Disconnected",
"disconnected": "Disconnesso",
"display_formats": "Formati di visualizzazione",
"display_name": "Nome da visualizzare",
"distance": "Distanza",
@ -138,12 +157,20 @@
"enable_networking": "Abilita Rete",
"enable_networking_description": "Consenti al tuo nodo di comunicare con altri nodi Spacedrive intorno a te.",
"enable_networking_description_required": "Richiesto per la sincronizzazione della libreria o Spacedrop!",
"spacedrop": "Visibilità dallo spazio",
"spacedrop_everyone": "Tutti",
"spacedrop_contacts_only": "Solo contatti",
"spacedrop_disabled": "Disabilitato",
"remote_access": "Abilita l'accesso remoto",
"remote_access_description": "Abilita altri nodi a connettersi direttamente a questo nodo.",
"encrypt": "Crittografa",
"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.",
"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.",
"equals": "è",
"erase": "Elimina",
"erase_a_file": "Elimina un file",
"erase_a_file_description": "Configura le impostazioni di eliminazione.",
@ -158,6 +185,7 @@
"export_library": "Esporta la Libreria",
"export_library_coming_soon": "L'esportazione della libreria arriverà prossimamente",
"export_library_description": "Esporta questa libreria in un file.",
"extension": "Extension",
"extensions": "Estensioni",
"extensions_description": "Installa estensioni per estendere le funzionalità di questo client.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Si è verificato un errore durante l'invio del tuo feedback. Riprova.",
"file_already_exist_in_this_location": "Il file esiste già in questa posizione",
"file_indexing_rules": "Regole di indicizzazione dei file",
"filter": "Filtro",
"filters": "Filtri",
"forward": "Avanti",
"free_of": "senza",
"from": "da",
"full_disk_access": "Accesso completo al disco",
"full_disk_access_description": "Per fornire l'esperienza migliore, abbiamo bisogno di accedere al tuo disco per indicizzare i tuoi file. I tuoi file rimangono accessibili solo da te.",
"full_reindex": "Reindicizzazione Completa",
@ -211,6 +242,7 @@
"grid_gap": "Spaziatura",
"grid_view": "Vista a griglia",
"grid_view_notice_description": "Ottieni una panoramica visiva dei tuoi file con la Visualizzazione a griglia. Questa visualizzazione mostra i file e le cartelle come anteprime, facilitando l'identificazione rapida del file che stai cercando.",
"hidden": "Nascosto",
"hidden_label": "Impedisce che la posizione e i suoi contenuti vengano visualizzati nelle categorie di riepilogo, nella ricerca e nei tag a meno che non sia abilitato \"Mostra elementi nascosti\".",
"hide_in_library_search": "Nascondi nella ricerca della libreria",
"hide_in_library_search_description": "Nascondi i file con questo tag dai risultati nella ricerca della libreria.",
@ -229,10 +261,9 @@
"install": "Installa",
"install_update": "Installa Aggiornamento",
"installed": "Installato",
"ipv6": "Rete IPv6",
"ipv6_description": "Consenti la comunicazione peer-to-peer utilizzando la rete IPv6",
"item_size": "Dimensione dell'elemento",
"item_with_count_one": "{{count}} elemento",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} elementi",
"job_has_been_canceled": "Il lavoro è stato annullato",
"job_has_been_paused": "Il lavoro è stato messo in pausa.",
@ -249,6 +280,8 @@
"keybinds_description": "Visualizza e gestisci le combinazioni di tasti del client",
"keys": "Chiavi",
"kilometers": "Kilometri",
"kind": "Tipo",
"label": "Etichetta",
"labels": "Etichette",
"language": "Lingua",
"language_description": "Cambia la lingua dell'interfaccia di Spacedrive",
@ -256,16 +289,20 @@
"libraries": "Librerie",
"libraries_description": "Il database contiene tutti i dati della libreria e i metadati dei file.",
"library": "Libreria",
"library_db_size": "Dimensione dell'indice",
"library_db_size_description": "La dimensione del database della biblioteca.",
"library_name": "Nome Libreria",
"library_overview": "Panoramica della Libreria",
"library_settings": "Impostazioni della Libreria",
"library_settings_description": "Impostazioni generali relative alla libreria attualmente attiva.",
"light": "Luce",
"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_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.",
@ -333,13 +370,17 @@
"no_nodes_found": "Nessun nodo Spacedrive trovato.",
"no_tag_selected": "Nessun tag selezionato",
"no_tags": "Nessun tag",
"no_tags_description": "You have not created any tags",
"no_search_selected": "No Search Selected",
"node_name": "Nome del nodo",
"nodes": "Nodi",
"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",
"not_you": "Non sei tu?",
"nothing_selected": "Nulla di selezionato",
"number_of_passes": "# di passaggi",
"object": "Oggetto",
"object_id": "ID oggetto",
"offline": "Offline",
"online": "Online",
@ -364,15 +405,17 @@
"path": "Percorso",
"path_copied_to_clipboard_description": "Percorso per la location {{location}} copiato nella clipboard.",
"path_copied_to_clipboard_title": "Percorso copiato nella clipboard",
"paths": "Percorsi",
"pause": "Pausa",
"peers": "Peers",
"people": "Persone",
"pin": "Spillo",
"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_view": "Visualizzazione rapida",
"random": "Casuale",
"recent_jobs": "Jobs recenti",
"recents": "Recenti",
"recents_notice_message": "I recenti vengono creati quando apri un file.",
@ -382,8 +425,6 @@
"reindex": "Re-indicizza",
"reject": "Rifiuta",
"reload": "Ricarica",
"remote_access": "Abilita l'accesso remoto",
"remote_access_description": "Abilita altri nodi a connettersi direttamente a questo nodo.",
"remove": "Rimuovi",
"remove_from_recents": "Rimuovi dai recenti",
"rename": "Rinomina",
@ -402,10 +443,12 @@
"running": "In esecuzione",
"save": "Salva",
"save_changes": "Salva le modifiche",
"save_search": "Salva la ricerca",
"saved_searches": "Ricerche salvate",
"search": "Ricerca",
"search_extensions": "Cerca estensioni",
"search_for_files_and_actions": "Cerca file e azioni...",
"search_locations": "Ricerca di località",
"secure_delete": "Eliminazione sicura",
"security": "Sicurezza",
"security_description": "Tieni al sicuro il tuo client.",
@ -436,16 +479,13 @@
"spacedrive_account": "Account Spacedrive",
"spacedrive_cloud": "Cloud Spacedrive",
"spacedrive_cloud_description": "Spacedrive è sempre locale in primo luogo, ma offriremo i nostri servizi cloud opzionali in futuro. Per ora, l'autenticazione viene utilizzata solo per la funzione di Feedback, altrimenti non è richiesta.",
"spacedrop": "Visibilità dallo spazio",
"spacedrop_a_file": "Spacedroppa un file",
"spacedrop_already_progress": "Spacedrop già in corso",
"spacedrop_contacts_only": "Solo contatti",
"spacedrop_description": "Condividi istantaneamente con dispositivi che eseguono Spacedrive sulla tua rete.",
"spacedrop_disabled": "Disabilitato",
"spacedrop_everyone": "Tutti",
"spacedrop_rejected": "Spacedrop rifiutato",
"square_thumbnails": "Miniature quadrate",
"star_on_github": "Aggiungi ai preferiti su GitHub",
"starts_with": "inizia con",
"stop": "Stop",
"success": "Successo",
"support": "Supporto",
@ -459,6 +499,7 @@
"sync_description": "Gestisci la modalità di sincronizzazione di Spacedrive.",
"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",
"tags_description": "Gestisci i tuoi tags.",
"tags_notice_message": "Nessun elemento assegnato a questo tag.",
@ -470,6 +511,7 @@
"thank_you_for_your_feedback": "Grazie per il tuo feedback!",
"thumbnailer_cpu_usage": "Utilizzo della CPU per le miniature",
"thumbnailer_cpu_usage_description": "Limita la quantità di CPU che può essere usata per l'elaborazione delle anteprime in background.",
"to": "per",
"toggle_all": "Attiva/Disattiva tutto",
"toggle_command_palette": "Attiva/disattiva la tavolozza dei comandi",
"toggle_hidden_files": "Mostra/nascondi file nascosti",
@ -486,6 +528,12 @@
"click_to_hide": "Clicca per nascondere",
"click_to_lock": "Clicca per bloccare",
"tools": "Utensili",
"total_bytes_capacity": "Capacità totale",
"total_bytes_capacity_description": "La capacità totale di tutti i nodi collegati alla libreria. Può mostrare valori errati durante l'alfa.",
"total_bytes_free": "Spazio libero",
"total_bytes_free_description": "Spazio libero disponibile su tutti i nodi collegati alla libreria.",
"total_bytes_used": "Spazio totale utilizzato",
"total_bytes_used_description": "Spazio totale utilizzato su tutti i nodi collegati alla libreria.",
"trash": "Spazzatura",
"type": "Tipo",
"ui_animations": "Animazioni dell'interfaccia utente",
@ -505,6 +553,7 @@
"view_changes": "Visualizza modifiche",
"want_to_do_this_later": "Vuoi farlo più tardi?",
"website": "Sito web",
"with_descendants": "Con i discendenti",
"your_account": "Il tuo account",
"your_account_description": "Account di Spacedrive e informazioni.",
"your_local_network": "La tua rete locale",

View file

@ -8,9 +8,11 @@
"actions": "操作",
"add": "追加",
"add_device": "デバイスを追加",
"add_filter": "フィルターの追加",
"add_library": "ライブラリを追加",
"add_location": "ロケーションを追加",
"add_location_description": "シームレスで効率的なファイル管理のために、好きなフォルダをパーソナルライブラリに追加して、Spacedriveでの体験をさらに充実させることができます。",
"add_location_overview_description": "ローカルパス、ボリューム、またはネットワークの場所をSpacedriveに接続します。",
"add_location_tooltip": "このパスをインデックス化されたロケーションに追加する",
"add_locations": "ロケーションを追加",
"add_tag": "タグを追加",
@ -20,11 +22,13 @@
"alpha_release_title": "アルファ版",
"appearance": "外観",
"appearance_description": "クライアントの見た目を変更します。",
"apply": "応募する",
"archive": "アーカイブ",
"archive_coming_soon": "ロケーションのアーカイブ機能は今後実装予定です。",
"archive_info": "ライブラリから、ロケーションのフォルダ構造を保存するために、アーカイブとしてデータを抽出します。",
"are_you_sure": "実行しますか?",
"ask_spacedrive": "スペースドライブに聞いてください",
"asc": "上昇",
"assign_tag": "タグを追加",
"audio_preview_not_supported": "オーディオのプレビューには対応していません。",
"back": "戻る",
@ -35,7 +39,7 @@
"cancel": "キャンセル",
"cancel_selection": "選択を解除",
"celcius": "摂氏",
"change": "Change",
"change": "変更",
"change_view_setting_description": "デフォルトのエクスプローラー ビューを変更する",
"changelog": "変更履歴",
"changelog_page_description": "Spacedriveの魅力ある新機能をご確認ください。",
@ -46,19 +50,26 @@
"close": "閉じる",
"close_command_palette": "コマンドパレットを閉じる",
"close_current_tab": "タブを閉じる",
"cloud": "クラウド",
"cloud_drives": "クラウドドライブ",
"clouds": "クラウド",
"color": "色",
"coming_soon": "Coming soon",
"coming_soon": "近日公開",
"contains": "を含む",
"compress": "圧縮",
"configure_location": "ロケーション設定を編集",
"connect_cloud": "クラウドに接続する",
"connect_cloud_description": "クラウドアカウントをSpacedriveに接続する。",
"connect_device": "デバイスを接続する",
"connect_device_description": "Spacedriveはすべてのデバイスで最適に機能します。",
"connected": "接続中",
"contacts": "Contacts",
"contacts_description": "Manage your contacts in Spacedrive.",
"content_id": "Content ID",
"continue": "Continue",
"contacts": "連絡先",
"contacts_description": "Spacedriveで連絡先を管理。",
"content_id": "コンテンツID",
"continue": "続ける",
"convert_to": "ファイルを変換",
"coordinates": "座標",
"copied": "Copied",
"copied": "コピー",
"copy": "コピー",
"copy_as_path": "パスをコピー",
"copy_object": "オブジェクトをコピー",
@ -79,23 +90,31 @@
"created": "作成",
"creating_library": "ライブラリを作成中...",
"creating_your_library": "ライブラリを作成",
"current": "Current",
"current_directory": "Current Directory",
"current_directory_with_descendants": "Current Directory With Descendants",
"current": "現在",
"current_directory": "現在のディレクトリ",
"current_directory_with_descendants": "子孫を持つ現在のディレクトリ",
"custom": "カスタム",
"cut": "切り取り",
"cut_object": "オブジェクトを切り取り",
"cut_success": "アイテムを切り取りました",
"dark": "暗い",
"data_folder": "データフォルダー",
"date_format": "日付形式",
"date_format_description": "Spacedrive に表示される日付形式を選択します",
"date_accessed": "アクセス日時",
"date_created": "作成日時",
"date_indexed": "インデックス化日時",
"date_modified": "更新日時",
"date_taken": "撮影日",
"date_time_format": "日付と時刻のフォーマット",
"date_time_format_description": "Spacedriveに表示される日付フォーマットを選択する",
"debug_mode": "デバッグモード",
"debug_mode_description": "アプリ内で追加のデバッグ機能を有効にします。",
"default": "デフォルト",
"desc": "下降",
"random": "ランダム",
"ipv6": "IPv6ネットワーキング",
"ipv6_description": "IPv6 ネットワークを使用したピアツーピア通信を許可する",
"is": "は",
"is_not": "ではない",
"default_settings": "デフォルトの設定",
"delete": "削除",
"delete_dialog_title": "{{prefix}} {{type}} を削除",
@ -123,7 +142,7 @@
"display_formats": "表示フォーマット",
"display_name": "表示名",
"distance": "距離",
"done": "Done",
"done": "完了",
"dont_show_again": "今後表示しない",
"double_click_action": "ダブルクリック時の動作",
"download": "ダウンロード",
@ -138,15 +157,23 @@
"enable_networking": "ネットワークを有効にする",
"enable_networking_description": "あなたのードが周囲の他のSpacedriveードと通信できるようにします。",
"enable_networking_description_required": "ライブラリの同期やSpacedropに必要です。",
"spacedrop": "スペースドロップの可視性",
"spacedrop_everyone": "みんな",
"spacedrop_contacts_only": "連絡先のみ",
"spacedrop_disabled": "無効",
"remote_access": "リモートアクセスを有効にする",
"remote_access_description": "他のノードがこのノードに直接接続できるようにします。",
"encrypt": "暗号化",
"encrypt_library": "ライブラリを暗号化する",
"encrypt_library_coming_soon": "ライブラリの暗号化機能は今後実装予定です",
"encrypt_library_description": "このライブラリの暗号化を有効にします。これはSpacedriveデータベースのみを暗号化し、ファイル自体は暗号化されません。",
"ends_with": "で終わる。",
"ephemeral_notice_browse": "デバイスから直接ファイルやフォルダを閲覧できます。",
"ephemeral_notice_consider_indexing": "より迅速で効率的な探索のために、ローカルロケーションのインデックス化をご検討ください。",
"erase": "Erase",
"erase_a_file": "Erase a file",
"erase_a_file_description": "Configure your erasure settings.",
"equals": "イコール",
"erase": "消去",
"erase_a_file": "ファイルの消去",
"erase_a_file_description": "消去設定を行います。",
"error": "エラー",
"error_loading_original_file": "オリジナルファイルの読み込みエラー",
"expand": "詳細の表示",
@ -158,6 +185,7 @@
"export_library": "ライブラリのエクスポート",
"export_library_coming_soon": "ライブラリのエクスポート機能は今後実装予定です",
"export_library_description": "このライブラリをファイルにエクスポートします。",
"extension": "エクステンション",
"extensions": "拡張機能",
"extensions_description": "このクライアントの機能を拡張するための拡張機能をインストールします。",
"fahrenheit": "華氏",
@ -188,10 +216,13 @@
"feedback_toast_error_message": "フィードバックの送信中にエラーが発生しました。もう一度お試しください。",
"file_already_exist_in_this_location": "このファイルは既にこのロケーションに存在します",
"file_indexing_rules": "ファイルのインデックス化ルール",
"filter": "フィルター",
"filters": "フィルター",
"forward": "Forward",
"full_disk_access": "Full disk access",
"full_disk_access_description": "To provide the best experience, we need access to your disk in order to index your files. Your files are only available to you.",
"forward": "フォワード",
"free_of": "ない",
"from": "より",
"full_disk_access": "フルディスクアクセス",
"full_disk_access_description": "最高の体験を提供するために、お客様のファイルのインデックスを作成するために、お客様のディスクにアクセスする必要があります。あなたのファイルは、あなただけが利用できます。",
"full_reindex": "再インデックス",
"full_reindex_info": "このロケーションの完全な再スキャンを実行します。",
"general": "一般",
@ -200,7 +231,7 @@
"general_shortcut_description": "一般に使用されるショートカットキー。",
"generatePreviewMedia_label": "このロケーションのプレビューメディアを作成する",
"generate_checksums": "チェックサムを作成",
"go_back": "Go Back",
"go_back": "戻る",
"go_to_labels": "ラベルに移動",
"go_to_location": "ロケーションに移動",
"go_to_overview": "概要に移動",
@ -211,6 +242,7 @@
"grid_gap": "表示間隔",
"grid_view": "グリッド ビュー",
"grid_view_notice_description": "グリッド ビューではファイルの内容を視覚的に判断できます。このビューでは、ファイルやフォルダがサムネイル画像で表示されるので、探しているファイルをすばやく見つけることができます。",
"hidden": "ヒドゥン",
"hidden_label": "「隠しファイルを表示」を有効にしない限り、概要、検索、タグにロケーションとそのコンテンツが表示されないようになります。",
"hide_in_library_search": "ライブラリの検索で非表示にする",
"hide_in_library_search_description": "ライブラリ全体を検索する際に、このタグを持つファイルを検索結果から非表示にします。",
@ -229,26 +261,24 @@
"install": "インストール",
"install_update": "アップデートをインストールする",
"installed": "インストール完了",
"ipv6": "IPv6ネットワーキング",
"ipv6_description": "IPv6 ネットワークを使用したピアツーピア通信を許可する",
"item_size": "アイテムの表示サイズ",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"job_has_been_canceled": "ジョブが中止されました。",
"job_has_been_paused": "ジョブが一時停止されました。",
"job_has_been_removed": "ジョブが削除されました。",
"job_has_been_resumed": "ジョブが再開されました。",
"join": "Join",
"join_discord": "Join Discord",
"join_library": "Join a Library",
"join": "参加",
"join_discord": "ディスコードに参加する",
"join_library": "図書館に入会する",
"join_library_description": "ライブラリは、安全の保証された、デバイス上のデータベースです。ライブラリはファイルをカタログ化し、すべてのSpacedriveの関連データを保存します。",
"key": "キー",
"key_manager": "Key Manager",
"key_manager": "キー・マネージャー",
"key_manager_description": "暗号化キーの作成、キーのマウントとアンマウントを行い、その場で暗号化解除されたファイルを確認できます。",
"keybinds": "キーボード",
"keybinds_description": "キーボードショートカットを設定します。",
"keys": "暗号化キー",
"kilometers": "Kilometers",
"kilometers": "キロ",
"kind": "親切",
"label": "ラベル",
"labels": "ラベル",
"language": "言語",
"language_description": "Spacedriveのインターフェイス言語を変更します。",
@ -256,21 +286,25 @@
"libraries": "ライブラリ",
"libraries_description": "データベースには、すべてのライブラリデータとファイルのメタデータが含まれています。",
"library": "ライブラリ",
"library_db_size": "インデックスサイズ",
"library_db_size_description": "ライブラリーのデータベースのサイズ。",
"library_name": "ライブラリの名前",
"library_overview": "ライブラリの概要",
"library_settings": "ライブラリの設定",
"library_settings_description": "現在アクティブなライブラリに関する一般的な設定を行います。",
"light": "ライト",
"list_view": "リスト ビュー",
"list_view_notice_description": "リスト ビューではファイルやフォルダを簡単に閲覧できます。ファイルがシンプルに整理されたリスト形式で表示されるため、必要なファイルをすばやく見つけることができます。",
"loading": "Loading",
"loading": "ローディング",
"local": "ローカル",
"local_locations": "ローカルロケーション",
"local_node": "ローカルノード",
"location_connected_tooltip": "Location is being watched for changes",
"location_disconnected_tooltip": "Location is not being watched for changes",
"location": "所在地",
"location_connected_tooltip": "ロケーションの変化に注目",
"location_disconnected_tooltip": "ロケーションの変更は監視されていない",
"location_display_name_info": "サイドバーに表示されるロケーションの名前を設定します。ディスク上の実際のフォルダの名前は変更されません。",
"location_empty_notice_message": "ファイルが見つかりません",
"location_is_already_linked": "Location is already linked",
"location_is_already_linked": "場所はすでにリンクされている",
"location_path_info": "このロケーションへのパスで、ファイルが保存されるディスク上の場所です。",
"location_type": "ロケーションのタイプ",
"location_type_managed": "Spacedriveがあなたのためにファイルをソートします。ロケーションが空でなければ、「spacedrive」フォルダが作成されます。",
@ -286,14 +320,14 @@
"logging_in": "ログイン中...",
"logout": "ログアウト",
"manage_library": "ライブラリの設定",
"managed": "Managed",
"media": "Media",
"managed": "マネージド",
"media": "メディア",
"media_view": "メディアビュー",
"media_view_context": "メディア ビュー",
"media_view_notice_description": "メディア ビューでは、ロケーションに含まれるファイルをサブディレクトリを含めて全て表示します。写真やビデオを簡単に見つけることができます。",
"meet_contributors_behind_spacedrive": "Spacedriveは以下の人々に支えられています",
"meet_title": "Meet {{title}}",
"miles": "Miles",
"meet_title": "ミーティング {{title}}",
"miles": "マイル",
"mode": "モード",
"modified": "更新",
"more": "その他の操作",
@ -333,14 +367,18 @@
"no_nodes_found": "Spacedriveードが見つかりませんでした。",
"no_tag_selected": "タグが選択されていません。",
"no_tags": "タグがありません。",
"no_tags_description": "タグを作成していない",
"no_search_selected": "検索が選択されていない",
"node_name": "ノード名",
"nodes": "ノード",
"nodes_description": "このライブラリに接続されているードを管理します。ードとは、デバイスまたはサーバー上で動作するSpacedriveのバックエンドのインスタンスです。各ードはデータベースのコピーを持ち、P2P接続を介してリアルタイムで同期を行います。",
"none": "None",
"normal": "Normal",
"not_you": "Not you?",
"number_of_passes": "# of passes",
"object_id": "Object ID",
"none": "なし",
"normal": "ノーマル",
"not_you": "君は違うのか?",
"nothing_selected": "何も選択されていない",
"number_of_passes": "# パス数",
"object": "対象",
"object_id": "オブジェクトID",
"offline": "オフライン",
"online": "オンライン",
"open": "開く",
@ -355,7 +393,7 @@
"or": "OR",
"overview": "概要",
"page": "ページ",
"page_shortcut_description": "Different pages in the app",
"page_shortcut_description": "アプリ内のさまざまなページ",
"pair": "ペアリング",
"pairing_with_node": "{{node}} とのペアリングを行います",
"paste": "貼り付け",
@ -364,15 +402,17 @@
"path": "パス",
"path_copied_to_clipboard_description": "ロケーション {{location}} のパスをコピーしました。",
"path_copied_to_clipboard_title": "パスをコピーしました",
"paths": "パス",
"pause": "一時停止",
"peers": "ピア",
"people": "People",
"people": "人々",
"pin": "ピン留め",
"preview_media_bytes": "プレビューメディア",
"preview_media_bytes_description": "Tサムネイルなどのすべてのプレビューメディアファイルの合計サイズ。",
"privacy": "プライバシー",
"privacy_description": "Spacedriveはプライバシーを遵守します。だからこそ、私達はオープンソースであり、ローカルでの利用を優先しています。プライバシーのために、どのようなデータが私達と共有されるのかを明示しています。",
"quick_preview": "クイック プレビュー",
"quick_view": "クイック プレビュー",
"random": "ランダム",
"recent_jobs": "最近のジョブ",
"recents": "最近のアクセス",
"recents_notice_message": "ファイルを開くと最近のアクセスが表示されます。",
@ -380,15 +420,13 @@
"regen_thumbnails": "サムネイルを再作成",
"regenerate_thumbs": "サムネイルを再作成",
"reindex": "再インデックス化",
"reject": "Reject",
"reject": "却下",
"reload": "更新",
"remote_access": "リモートアクセスを有効にする",
"remote_access_description": "他のノードがこのノードに直接接続できるようにします。",
"remove": "削除",
"remove_from_recents": "最近のアクセスから削除",
"rename": "名前の変更",
"rename_object": "オブジェクトの名前を変更",
"replica": "Replica",
"replica": "レプリカ",
"rescan": "再スキャン",
"rescan_directory": "ディレクトリを再スキャン",
"rescan_location": "ロケーションを再スキャン",
@ -402,10 +440,12 @@
"running": "実行中",
"save": "保存",
"save_changes": "変更を保存",
"save_search": "検索を保存",
"saved_searches": "保存した検索条件",
"search": "検索",
"search_extensions": "Search extensions",
"search_extensions": "検索エクステンション",
"search_for_files_and_actions": "ファイルとアクションを検索します...",
"search_locations": "検索場所",
"secure_delete": "安全に削除",
"security": "セキュリティ",
"security_description": "クライアントの安全性を保ちます。",
@ -417,7 +457,7 @@
"share_anonymous_usage_description": "アプリの改善のために、完全に匿名のテレメトリデータを送信します",
"share_bare_minimum": "最小限のデータのみを送信する",
"share_bare_minimum_description": "自分がSpacedriveのアクティブユーザーであることと、多少の技術的データのみを送信します",
"sharing": "Sharing",
"sharing": "シェアリング",
"sharing_description": "ライブラリへのアクセス権を管理できます。",
"show_details": "詳細を表示",
"show_hidden_files": "隠しファイルを表示",
@ -436,16 +476,13 @@
"spacedrive_account": "Spacedriveアカウント",
"spacedrive_cloud": "Spacedriveクラウド",
"spacedrive_cloud_description": "Spacedriveは常にローカルでの利用を優先しますが、将来的には独自オプションのクラウドサービスを提供する予定です。現在、アカウント認証はフィードバック機能のみに使用されており、それ以外では必要ありません。",
"spacedrop": "スペースドロップの可視性",
"spacedrop_a_file": "ファイルをSpacedropへ",
"spacedrop_already_progress": "Spacedropは既に実行中です",
"spacedrop_contacts_only": "連絡先のみ",
"spacedrop_description": "ネットワーク上のSpacedriveを実行しているデバイスと速やかに共有できます。",
"spacedrop_disabled": "無効",
"spacedrop_everyone": "みんな",
"spacedrop_rejected": "Spacedrop rejected",
"square_thumbnails": "Square Thumbnails",
"star_on_github": "Star on GitHub",
"spacedrop_rejected": "Spacedropは不採用",
"square_thumbnails": "正方形のサムネイル",
"star_on_github": "GitHub上のスター",
"starts_with": "で始まる。",
"stop": "中止",
"success": "成功",
"support": "サポート",
@ -459,6 +496,7 @@
"sync_description": "Spacedriveの同期方法を管理します。",
"sync_with_library": "ライブラリと同期する",
"sync_with_library_description": "有効にすると、キーバインドがライブラリと同期されます。無効にすると、このクライアントにのみ適用されます。",
"system": "システム",
"tags": "タグ",
"tags_description": "タグを管理します。",
"tags_notice_message": "このタグに割り当てられたアイテムはありません。",
@ -470,7 +508,8 @@
"thank_you_for_your_feedback": "フィードバックありがとうございます!",
"thumbnailer_cpu_usage": "サムネイル作成のCPU使用量",
"thumbnailer_cpu_usage_description": "バックグラウンド処理におけるサムネイル作成のCPU使用量を制限します。",
"toggle_all": "Toggle All",
"to": "への",
"toggle_all": "すべて表示",
"toggle_command_palette": "コマンドパレットの切り替え",
"toggle_hidden_files": "隠しファイル表示を切り替え",
"toggle_image_slider_within_quick_preview": "クイック プレビュー画面でスライダーを表示",
@ -486,6 +525,12 @@
"click_to_hide": "非表示にするにはクリック",
"click_to_lock": "ロックするにはクリック",
"tools": "ツール",
"total_bytes_capacity": "総容量",
"total_bytes_capacity_description": "ライブラリに接続されているすべてのノードの合計容量。アルファ版では誤った値が表示されることがあります。",
"total_bytes_free": "フリースペース",
"total_bytes_free_description": "ライブラリに接続されているすべてのノードで利用可能な空き容量。",
"total_bytes_used": "総使用面積",
"total_bytes_used_description": "ライブラリに接続されている全ノードで使用されているスペースの合計。",
"trash": "ごみ",
"type": "種類",
"ui_animations": "UIアニメーション",
@ -499,12 +544,13 @@
"vaccum": "バキューム",
"vaccum_library": "バキュームライブラリ",
"vaccum_library_description": "データベースを再パックして、不要なスペースを解放します。",
"value": "Value",
"value": "価値",
"version": "バージョン {{version}}",
"video_preview_not_supported": "ビデオのプレビューには対応していません。",
"view_changes": "変更履歴を見る",
"want_to_do_this_later": "Want to do this later?",
"want_to_do_this_later": "後でやろうか?",
"website": "ウェブサイト",
"with_descendants": "子孫とともに",
"your_account": "あなたのアカウント",
"your_account_description": "Spacedriveアカウントの情報",
"your_local_network": "ローカルネットワーク",

View file

@ -8,9 +8,11 @@
"actions": "Acties",
"add": "Toevoegen",
"add_device": "Apparaat Toevoegen",
"add_filter": "Filter Toevoegen",
"add_library": "Bibliotheek Toevoegen",
"add_location": "Locatie Toevoegen",
"add_location_description": "Verbeter je Spacedrive ervaring door al je favoriete locaties toe te voegen aan je persoonlijke bibliotheek, voor een naadloze en efficiënte bestandsbeheer.",
"add_location_overview_description": "Verbind een lokaal pad, volume of netwerklocatie met Spacedrive.",
"add_location_tooltip": "Voeg pad toe als een geïndexeerde locatie",
"add_locations": "Locaties Toevoegen",
"add_tag": "Tag Toevoegen",
@ -20,11 +22,13 @@
"alpha_release_title": "Alpha Release",
"appearance": "Uiterlijk",
"appearance_description": "Verander het uiterlijk van de client.",
"apply": "Toepassing",
"archive": "Archiveer",
"archive_coming_soon": "Archiveren van locaties komt binnenkort...",
"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",
"assign_tag": "Tag toewijzen",
"audio_preview_not_supported": "Audio voorvertoning wordt niet ondersteund.",
"back": "Terug",
@ -46,11 +50,18 @@
"close": "Sluit",
"close_command_palette": "Sluit het opdrachtpalet",
"close_current_tab": "Huidig tabblad sluiten",
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"clouds": "Clouds",
"color": "Kleur",
"coming_soon": "Komt binnenkort",
"contains": "bevatten",
"compress": "Comprimeer",
"configure_location": "Locatie Configureren",
"connect_cloud": "Een cloud verbinden",
"connect_cloud_description": "Verbind uw cloudaccounts met Spacedrive.",
"connect_device": "Een apparaat aansluiten",
"connect_device_description": "Spacedrive werkt het beste op al uw apparaten.",
"connected": "Verbonden",
"contacts": "Contacten",
"contacts_description": "Beheer je contacten in Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Knip",
"cut_object": "Object knippen",
"cut_success": "Items knippen",
"dark": "Donker",
"data_folder": "Gegevens Map",
"date_format": "Datumnotatie",
"date_format_description": "Kies het datumformaat dat wordt weergegeven in Spacedrive",
"date_accessed": "Datum geopend",
"date_created": "Datum gecreeërd",
"date_indexed": "Datum geïndexeerd",
"date_modified": "Datum gewijzigd",
"date_taken": "Datum Genomen",
"date_time_format": "Datum-en tijdnotatie",
"date_time_format_description": "Kies de datumnotatie die wordt weergegeven in Spacedrive",
"debug_mode": "Debug modus",
"debug_mode_description": "Schakel extra debugging functies in de app in.",
"default": "Standaard",
"desc": "Aflopend",
"random": "Willekeurig",
"ipv6": "IPv6-netwerken",
"ipv6_description": "Maak peer-to-peer-communicatie mogelijk via IPv6-netwerken",
"is": "is",
"is_not": "is niet",
"default_settings": "Standaard instellingen",
"delete": "Verwijder",
"delete_dialog_title": "Verwijder {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "Netwerk Inschakelen",
"enable_networking_description": "Laat uw knooppunt communiceren met andere Spacedrive-knooppunten om u heen.",
"enable_networking_description_required": "Vereist voor bibliotheeksynchronisatie of Spacedrop!",
"spacedrop": "Zichtbaarheid van een ruimtedruppel",
"spacedrop_everyone": "Iedereen",
"spacedrop_contacts_only": "Alleen contacten",
"spacedrop_disabled": "Gehandicapt",
"remote_access": "Schakel externe toegang in",
"remote_access_description": "Zorg ervoor dat andere knooppunten rechtstreeks verbinding kunnen maken met dit knooppunt.",
"encrypt": "Versleutel",
"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.",
"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.",
"equals": "ligt",
"erase": "Wis",
"erase_a_file": "Wis een bestand",
"erase_a_file_description": "Configureer je wis instellingen.",
@ -158,6 +185,7 @@
"export_library": "Exporteer Bibliotheek",
"export_library_coming_soon": "Bibliotheek Exporteren komt binnenkort",
"export_library_description": "Exporteer deze bibliotheek naar een bestand.",
"extension": "Extensie",
"extensions": "Extensies",
"extensions_description": "Installeer extensies om de functionaliteit van deze client uit te breiden.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Er is een fout opgetreden bij het verzenden van je feedback. Probeer het opnieuw.",
"file_already_exist_in_this_location": "Bestand bestaat al op deze locatie",
"file_indexing_rules": "Bestand indexeringsregels",
"filter": "Filter",
"filters": "Filters",
"forward": "Vooruit",
"free_of": "vrij van",
"from": "van",
"full_disk_access": "Volledige schijftoegang",
"full_disk_access_description": "Om de beste ervaring te bieden, hebben we toegang tot je schijf nodig om uw bestanden te indexeren. Je bestanden zijn alleen voor je beschikbaar.",
"full_reindex": "Volledig Herindexeren",
@ -211,6 +242,7 @@
"grid_gap": "Tussenruimte",
"grid_view": "Rasterweergave",
"grid_view_notice_description": "Krijg een visueel overzicht van je bestanden met Rasterweergave. In deze weergave worden je bestanden en mappen weergegeven als miniaturen, zodat je snel het bestand kan identificeren dat je zoekt.",
"hidden": "Verborgen",
"hidden_label": "Voorkomt dat de locatie en de inhoud ervan verschijnen in overzichtscategorieën, zoekacties en tags, tenzij \"Verborgen items weergeven\" is ingeschakeld.",
"hide_in_library_search": "Verberg in zoeken in Bibliotheek",
"hide_in_library_search_description": "Verberg bestanden met deze tag voor de zoekresultaten wanneer u de hele bibliotheek doorzoekt.",
@ -229,8 +261,6 @@
"install": "Installeer",
"install_update": "Installeer Update",
"installed": "Geïnstalleerd",
"ipv6": "IPv6-netwerken",
"ipv6_description": "Maak peer-to-peer-communicatie mogelijk via IPv6-netwerken",
"item_size": "Item grootte",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
@ -249,6 +279,8 @@
"keybinds_description": "Bekijk en beheer client toetscombinaties",
"keys": "Sleutels",
"kilometers": "Kilometers",
"kind": "Type",
"label": "Label",
"labels": "Labels",
"language": "Taal",
"language_description": "Wijzig de taal van de Spacedrive interface",
@ -256,16 +288,20 @@
"libraries": "Bibliotheken",
"libraries_description": "De database bevat all bibliotheek gegevens en metagegevens van bestanden.",
"library": "Bibliotheek",
"library_db_size": "Index grootte",
"library_db_size_description": "De grootte van de bibliotheekdatabase.",
"library_name": "Bibliotheek naam",
"library_overview": "Bibliotheek Overzicht",
"library_settings": "Bibliotheek Instellingen",
"library_settings_description": "Algemene Instellingen met betrekking to de momenteel actieve bibliotheek.",
"light": "Licht",
"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",
"local": "Lokaal",
"local_locations": "Lokale Locaties",
"local_node": "Lokale Node",
"location": "Locatie",
"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.",
@ -279,7 +315,7 @@
"locations": "Locaties",
"locations_description": "Beheer je opslaglocaties.",
"lock": "Vergrendel",
"log_in": "Log in",
"log_in": "Ingelogd",
"log_in_with_browser": "Inloggen met browser",
"log_out": "Uitloggen",
"logged_in_as": "Ingelogd als {{email}}",
@ -333,13 +369,17 @@
"no_nodes_found": "Er zijn geen Spacedrive-nodes gevonden.",
"no_tag_selected": "Geen Tag Geselecteerd",
"no_tags": "Geen tags",
"no_tags_description": "Je hebt geen tags aangemaakt",
"no_search_selected": "Geen Zoekopdracht Geselecteerd",
"node_name": "Node Naam",
"nodes": "Nodes",
"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",
"not_you": "Ben je dit niet?",
"nothing_selected": "Niets geselecteerd",
"number_of_passes": "# runs",
"object": "Object",
"object_id": "Object-ID",
"offline": "Offline",
"online": "Online",
@ -364,15 +404,17 @@
"path": "Pad",
"path_copied_to_clipboard_description": "Pad van locatie {{location}} gekopieerd naar klembord.",
"path_copied_to_clipboard_title": "Pad gekopieerd naar klembord",
"paths": "Pad",
"pause": "Pauzeer",
"peers": "Peers",
"people": "Personen",
"pin": "Pin",
"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_view": "Geef snel weer",
"random": "Willekeurig",
"recent_jobs": "Recente Taken",
"recents": "Recent",
"recents_notice_message": "Recente bestanden worden gemaakt wanneer u een bestand opent.",
@ -382,8 +424,6 @@
"reindex": "Herindexeren",
"reject": "Afwijzen",
"reload": "Herlaad",
"remote_access": "Schakel externe toegang in",
"remote_access_description": "Zorg ervoor dat andere knooppunten rechtstreeks verbinding kunnen maken met dit knooppunt.",
"remove": "Verwijder",
"remove_from_recents": "Verwijder van Recent",
"rename": "Naam wijzigen",
@ -402,10 +442,12 @@
"running": "Actief",
"save": "Opslaan",
"save_changes": "Wijzigingen Opslaan",
"save_search": "Zoekopdracht Opslaan",
"saved_searches": "Opgeslagen Zoekopdrachten",
"search": "Zoekopdracht",
"search_extensions": "Zoek extensies",
"search_for_files_and_actions": "Zoeken naar bestanden en acties...",
"search_locations": "Search locations",
"secure_delete": "Veilig verwijderen",
"security": "Veiligheid",
"security_description": "Houd je client veilig.",
@ -436,16 +478,13 @@
"spacedrive_account": "Spacedrive Account",
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "Spacedrive is altijd lokaal eerst, maar we zullen in de toekomst optionele cloudservices aanbieden. Voor nu wordt authenticatie alleen gebruikt voor de Feedback-functie, anders is het niet vereist.",
"spacedrop": "Zichtbaarheid van een ruimtedruppel",
"spacedrop_a_file": "Spacedrop een Bestand",
"spacedrop_already_progress": "Spacedrop is al bezig",
"spacedrop_contacts_only": "Alleen contacten",
"spacedrop_description": "Deel direct met apparaten die Spacedrive uitvoeren op uw netwerk.",
"spacedrop_disabled": "Gehandicapt",
"spacedrop_everyone": "Iedereen",
"spacedrop_rejected": "Spacedrop geweigerd",
"square_thumbnails": "Vierkante Miniaturen",
"star_on_github": "Ster op GitHub",
"starts_with": "begint met",
"stop": "Stop",
"success": "Succes",
"support": "Ondersteuning",
@ -459,6 +498,7 @@
"sync_description": "Beheer hoe Spacedrive synchroniseert.",
"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",
"tags": "Tags",
"tags_description": "Beheer je tags.",
"tags_notice_message": "Er zijn geen items toegewezen aan deze tag.",
@ -470,6 +510,7 @@
"thank_you_for_your_feedback": "Bedankt voor je feedback!",
"thumbnailer_cpu_usage": "CPU-gebruik van thumbnailer",
"thumbnailer_cpu_usage_description": "Beperk hoeveel CPU de thumbnailer kan gebruiken voor achtergrondverwerking.",
"to": "naar",
"toggle_all": "Selecteer Alles",
"toggle_command_palette": "Schakel het opdrachtpalet in of uit",
"toggle_hidden_files": "Verborgen bestanden in-/uitschakelen",
@ -486,6 +527,12 @@
"click_to_hide": "Klik om te verbergen",
"click_to_lock": "Klik om te vergrendelen",
"tools": "Hulpmiddelen",
"total_bytes_capacity": "Totale capaciteit",
"total_bytes_capacity_description": "De totale capaciteit van alle knooppunten die met de bibliotheek zijn verbonden. Kan onjuiste waarden tonen tijdens alpha.",
"total_bytes_free": "Schijfruimte",
"total_bytes_free_description": "Vrije ruimte beschikbaar op alle knooppunten die verbonden zijn met de bibliotheek.",
"total_bytes_used": "Totale gebruikte ruimte",
"total_bytes_used_description": "Totale ruimte die wordt gebruikt op alle knooppunten die zijn verbonden met de bibliotheek.",
"trash": "Afval",
"type": "Type",
"ui_animations": "UI Animaties",
@ -505,6 +552,7 @@
"view_changes": "Bekijk wijzigingen",
"want_to_do_this_later": "Wil je dit later doen?",
"website": "Website",
"with_descendants": "Met Nakomelingen",
"your_account": "Je account",
"your_account_description": "Spacedrive account en informatie.",
"your_local_network": "Je Lokale Netwerk",

View file

@ -8,9 +8,11 @@
"actions": "Действия",
"add": "Добавить",
"add_device": "Добавить устройство",
"add_filter": "Добавить фильтр",
"add_library": "Добавить библиотеку",
"add_location": "Добавить локацию",
"add_location_description": "Расширьте возможности Spacedrive, добавив любимые локации в свою личную библиотеку, для удобного и эффективного управления файлами.",
"add_location_overview_description": "Подключите локальное или сетевое устройство к Spacedrive.",
"add_location_tooltip": "Добавьте путь в качестве индексированной локации",
"add_locations": "Добавить локации",
"add_tag": "Добавить тег",
@ -20,11 +22,13 @@
"alpha_release_title": "Альфа версия",
"appearance": "Внешний вид",
"appearance_description": "Измените внешний вид вашего клиента.",
"apply": "Применить",
"archive": "Архив",
"archive_coming_soon": "Архивация локаций скоро появится...",
"archive_info": "Извлечение данных из библиотеки в виде архива, полезно для сохранения структуры локаций.",
"are_you_sure": "Вы уверены?",
"ask_spacedrive": "Спросите Spacedrive",
"asc": "По возрастанию",
"assign_tag": "Присвоить тег",
"audio_preview_not_supported": "Предварительный просмотр аудио не поддерживается.",
"back": "Назад",
@ -46,11 +50,18 @@
"close": "Закрыть",
"close_command_palette": "Закрыть панель команд",
"close_current_tab": "Закрыть текущую вкладку",
"cloud": "Облако",
"cloud_drives": "Облачные диски",
"clouds": "Облачные хр.",
"color": "Цвет",
"coming_soon": "Скоро появится",
"contains": "содержит",
"compress": "Сжать",
"configure_location": "Настроить локацию",
"connect_cloud": "Подключите облако",
"connect_cloud_description": "Подключите облачные аккаунты к Spacedrive.",
"connect_device": "Подключите устройство",
"connect_device_description": "Spacedrive лучше всего работает при использовании на всех ваших устройствах.",
"connected": "Подключено",
"contacts": "Контакты",
"contacts_description": "Управляйте контактами в Spacedrive.",
@ -86,16 +97,24 @@
"cut": "Вырезать",
"cut_object": "Вырезать объект",
"cut_success": "Элементы вырезаны",
"dark": "Тёмная",
"data_folder": "Папка с данными",
"date_format": "Формат даты",
"date_format_description": "Изменить формат даты, отображаемый в Spacedrive",
"date_accessed": "Дата доступа",
"date_created": "Дата создания",
"date_indexed": "Дата индексации",
"date_modified": "Дата изменения",
"date_taken": "Дата съёмки",
"date_time_format": "Формат даты и времени",
"date_time_format_description": "Изменить формат даты, отображаемой в Spacedrive",
"debug_mode": "Режим отладки",
"debug_mode_description": "Включите дополнительные функции отладки в приложении.",
"default": "Стандартный",
"desc": "По убыванию",
"random": "Случайный",
"ipv6": "Сеть IPv6",
"ipv6_description": "Разрешить одноранговую связь с использованием сети IPv6.",
"is": "это",
"is_not": "не",
"default_settings": "Настройки по умолчанию",
"delete": "Удалить",
"delete_dialog_title": "Удалить {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "Включить сетевое взаимодействие",
"enable_networking_description": "Разрешите вашему узлу взаимодействовать с другими узлами Spacedrive вокруг вас.",
"enable_networking_description_required": "Требуется для синхронизации библиотеки или Spacedrop!",
"spacedrop": "Видимость Spacedrop",
"spacedrop_everyone": "Все",
"spacedrop_contacts_only": "Только для контактов",
"spacedrop_disabled": "Отключен",
"remote_access": "Включить удаленный доступ",
"remote_access_description": "Разрешите другим узлам напрямую подключаться к этому узлу.",
"encrypt": "Зашифровать",
"encrypt_library": "Зашифровать библиотеку",
"encrypt_library_coming_soon": "Шифрование библиотеки скоро появится",
"encrypt_library_description": "Включить шифрование этой библиотеки, при этом будет зашифрована только база данных Spacedrive, но не сами файлы.",
"ends_with": "заканчивается на",
"ephemeral_notice_browse": "Просматривайте файлы и папки прямо с устройства.",
"ephemeral_notice_consider_indexing": "Рассмотрите возможность индексирования ваших локаций для более быстрого и эффективного поиска.",
"equals": "это",
"erase": "Удалить",
"erase_a_file": "Удалить файл",
"erase_a_file_description": "Настройте параметры удаления.",
@ -158,6 +185,7 @@
"export_library": "Экспорт библиотеки",
"export_library_coming_soon": "Экспорт библиотеки скоро станет возможным",
"export_library_description": "Экспортируйте эту библиотеку в файл.",
"extension": "Расширение",
"extensions": "Расширения",
"extensions_description": "Установите расширения, чтобы расширить функциональность этого клиента.",
"fahrenheit": "Фаренгейт",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "При отправке вашего фидбека произошла ошибка. Пожалуйста, попробуйте еще раз.",
"file_already_exist_in_this_location": "Файл уже существует в этой локации",
"file_indexing_rules": "Правила индексации файлов",
"filter": "Фильтр",
"filters": "Фильтры",
"forward": "Вперед",
"free_of": "своб. из",
"from": "с",
"full_disk_access": "Полный доступ к диску",
"full_disk_access_description": "Для обеспечения наилучшего качества работы нам необходим доступ к вашему диску, чтобы индексировать ваши файлы. Ваши файлы доступны только вам.",
"full_reindex": "Полная переиндексация",
@ -211,6 +242,7 @@
"grid_gap": "Пробел",
"grid_view": "Значки",
"grid_view_notice_description": "Получите визуальный обзор файлов с помощью просмотра значками. В этом представлении файлы и папки отображаются в виде уменьшенных изображений, что позволяет быстро найти нужный файл.",
"hidden": "Скрытый",
"hidden_label": "Не позволяет локации и её содержимому отображаться в итоговых категориях, поиске и тегах, если не включена функция \"Показывать скрытые элементы\".",
"hide_in_library_search": "Скрыть в поиске по библиотеке",
"hide_in_library_search_description": "Скрыть файлы с этим тегом из результатов при поиске по всей библиотеке.",
@ -229,10 +261,10 @@
"install": "Установить",
"install_update": "Установить обновление",
"installed": "Установлено",
"ipv6": "Сеть IPv6",
"ipv6_description": "Разрешить одноранговую связь с использованием сети IPv6.",
"item_size": "Размер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} items",
"item_with_count_many": "{{count}} items",
"item_with_count_other": "{{count}} элементов",
"job_has_been_canceled": "Задача отменена.",
"job_has_been_paused": "Задача была приостановлена.",
@ -249,6 +281,8 @@
"keybinds_description": "Просмотр и управление привязанными клавишами клиента",
"keys": "Ключи",
"kilometers": "Километры",
"kind": "Тип",
"label": "Ярлык",
"labels": "Ярлыки",
"language": "Язык",
"language_description": "Изменить язык интерфейса Spacedrive",
@ -256,16 +290,20 @@
"libraries": "Библиотеки",
"libraries_description": "База данных содержит все данные библиотек и метаданные файлов.",
"library": "Библиотека",
"library_db_size": "Размер индекса",
"library_db_size_description": "Размер базы данных библиотеки.",
"library_name": "Название библиотеки",
"library_overview": "Обзор библиотеки",
"library_settings": "Настройки библиотеки",
"library_settings_description": "Главные настройки, относящиеся к текущей активной библиотеке.",
"light": "Светлая",
"list_view": "Список",
"list_view_notice_description": "Удобная навигация по файлам и папкам с помощью функции просмотра списком. Этот вид отображает файлы в виде простого, упорядоченного списка, позволяя быстро находить и получать доступ к нужным файлам.",
"loading": "Загрузка",
"local": "Локально",
"local_locations": "Локальные локации",
"local_node": "Локальный узел",
"location": "Локация",
"location_connected_tooltip": "Локация проверяется на изменения",
"location_disconnected_tooltip": "Локация не проверяется на изменения",
"location_display_name_info": "Имя этого месторасположения, которое будет отображаться на боковой панели. Это действие не переименует фактическую папку на диске.",
@ -292,7 +330,7 @@
"media_view_context": "Контекст галереи",
"media_view_notice_description": "Легко находите фотографии и видео, галерея показывает результаты, начиная с текущей локации, включая вложенные папки.",
"meet_contributors_behind_spacedrive": "Познакомьтесь с участниками проекта Spacedrive",
"meet_title": "Встречайте: {{title}}",
"meet_title": "Встречайте новый вид проводника: {{title}}",
"miles": "Мили",
"mode": "Режим",
"modified": "Изменен",
@ -333,13 +371,17 @@
"no_nodes_found": "Узлы Spacedrive не найдены.",
"no_tag_selected": "Тег не выбран",
"no_tags": "Нет тегов",
"no_tags_description": "Вы не создали ни одного тега",
"no_search_selected": "Поиск не задан",
"node_name": "Имя узла",
"nodes": "Узлы",
"nodes_description": "Управление узлами, подключенными к этой библиотеке. Узел - это экземпляр бэкэнда Spacedrive, работающий на устройстве или сервере. Каждый узел имеет свою копию базы данных и синхронизируется через одноранговые соединения в режиме реального времени.",
"none": "Нет",
"normal": "Нормальный",
"not_you": "Не вы?",
"nothing_selected": "Ничего не выбрано",
"number_of_passes": "# пропусков",
"object": "Объект",
"object_id": "ID объекта",
"offline": "Оффлайн",
"online": "Онлайн",
@ -364,15 +406,17 @@
"path": "Путь",
"path_copied_to_clipboard_description": "Путь к локации {{location}} скопирован в буфер обмена.",
"path_copied_to_clipboard_title": "Путь скопирован в буфер обмена",
"paths": "Пути",
"pause": "Пауза",
"peers": "Участники",
"people": "Люди",
"pin": "Закрепить",
"preview_media_bytes": "Медиапревью",
"preview_media_bytes_description": "Общий размер всех медиафайлов предварительного просмотра (миниатюры и др.).",
"privacy": "Приватность",
"privacy_description": "Spacedrive создан для обеспечения конфиденциальности, поэтому у нас открытый исходный код и локальный подход. Поэтому мы четко указываем, какие данные передаются нам.",
"quick_preview": "Быстрый просмотр",
"quick_view": "Быстрый просмотр",
"random": "Случайный",
"recent_jobs": "Недавние задачи",
"recents": "Недавнее",
"recents_notice_message": "Недавние создаются при открытии файла.",
@ -382,8 +426,6 @@
"reindex": "Переиндексировать",
"reject": "Отклонить",
"reload": "Перезагрузить",
"remote_access": "Включить удаленный доступ",
"remote_access_description": "Разрешите другим узлам напрямую подключаться к этому узлу.",
"remove": "Удалить",
"remove_from_recents": "Удалить из недавних",
"rename": "Переименовать",
@ -402,10 +444,12 @@
"running": "Выполняется",
"save": "Сохранить",
"save_changes": "Сохранить изменения",
"save_search": "Сохранить поиск",
"saved_searches": "Сохраненные поисковые запросы",
"search": "Поиск",
"search_extensions": "Расширения для поиска",
"search_for_files_and_actions": "Поиск файлов и действий...",
"search_locations": "Поиск локаций",
"secure_delete": "Безопасное удаление",
"security": "Безопасность",
"security_description": "Обеспечьте безопасность вашего клиента.",
@ -436,16 +480,13 @@
"spacedrive_account": "Spacedrive аккаунт",
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "Spacedrive в первую очередь предназначен для локального использования, но в будущем мы предложим собственные дополнительные облачные сервисы. На данный момент аутентификация используется только для функции 'Фидбек', в остальном она не требуется.",
"spacedrop": "Видимость Spacedrop",
"spacedrop_a_file": "Отправить файл с помощью Spacedrop",
"spacedrop_already_progress": "Spacedrop уже в процессе",
"spacedrop_contacts_only": "Только для контактов",
"spacedrop_description": "Мгновенно делитесь с устройствами, работающими с Spacedrive в вашей сети.",
"spacedrop_disabled": "Отключен",
"spacedrop_everyone": "Все",
"spacedrop_rejected": "Spacedrop отклонен",
"square_thumbnails": "Квадратные эскизы",
"star_on_github": "Поставить звезду на GitHub",
"starts_with": "начинается с",
"stop": "Остановить",
"success": "Успех",
"support": "Поддержка",
@ -459,6 +500,7 @@
"sync_description": "Управляйте синхронизацией Spacedrive.",
"sync_with_library": "Синхронизация с библиотекой",
"sync_with_library_description": "Если эта опция включена, ваши привязанные клавиши будут синхронизированы с библиотекой, в противном случае они будут применяться только к этому клиенту.",
"system": "Системная",
"tags": "Теги",
"tags_description": "Управляйте своими тегами.",
"tags_notice_message": "Этому тегу не присвоено ни одного элемента.",
@ -470,6 +512,7 @@
"thank_you_for_your_feedback": "Спасибо за ваш фидбек!",
"thumbnailer_cpu_usage": "Использование процессора при создании миниатюр",
"thumbnailer_cpu_usage_description": "Ограничьте нагрузку на процессор, которую может использовать программа для создания миниатюр в фоновом режиме.",
"to": "по",
"toggle_all": "Включить все",
"toggle_command_palette": "Открыть панель команд",
"toggle_hidden_files": "Включить видимость скрытых файлов",
@ -486,6 +529,12 @@
"click_to_hide": "Щелкните, чтобы скрыть",
"click_to_lock": "Щелкните, чтобы заблокировать",
"tools": "Инструменты",
"total_bytes_capacity": "Общая ёмкость",
"total_bytes_capacity_description": "Общая ёмкость всех узлов, подключенных к библиотеке. Может показывать неверные значения во время альфа-тестирования.",
"total_bytes_free": "Свободное место",
"total_bytes_free_description": "Свободное пространство, доступное на всех узлах, подключенных к библиотеке.",
"total_bytes_used": "Общ. исп. место",
"total_bytes_used_description": "Общее пространство, используемое на всех узлах, подключенных к библиотеке.",
"trash": "Корзина",
"type": "Тип",
"ui_animations": "UI Анимации",
@ -496,8 +545,8 @@
"updated_successfully": "Успешно обновлено, вы используете версию {{version}}",
"usage": "Использование",
"usage_description": "Информация об использовании библиотеки и информация об вашем аппаратном обеспечении",
"vaccum": "Vacuum",
"vaccum_library": "Vacuum библиотеки",
"vaccum": "Вакуум",
"vaccum_library": "Вакуум библиотеки",
"vaccum_library_description": "Переупакуйте базу данных, чтобы освободить ненужное пространство.",
"value": "Значение",
"version": "Версия {{version}}",
@ -505,6 +554,7 @@
"view_changes": "Просмотреть изменения",
"want_to_do_this_later": "Хотите сделать это позже?",
"website": "Веб-сайт",
"with_descendants": "С потомками",
"your_account": "Ваш аккаунт",
"your_account_description": "Учетная запись Spacedrive и информация.",
"your_local_network": "Ваша локальная сеть",

View file

@ -8,9 +8,11 @@
"actions": "Eylemler",
"add": "Ekle",
"add_device": "Cihaz Ekle",
"add_filter": "Filtre Ekle",
"add_library": "Kütüphane Ekle",
"add_location": "Konum Ekle",
"add_location_description": "Favori konumlarınızı kişisel kütüphanenize ekleyerek Spacedrive deneyiminizi geliştirin, sorunsuz ve verimli dosya yönetimi için.",
"add_location_overview_description": "Spacedrive'a yerel bir yol, birim veya ağ konumu bağlayın.",
"add_location_tooltip": "Dizin olarak ekleyin",
"add_locations": "Konumlar Ekle",
"add_tag": "Etiket Ekle",
@ -20,11 +22,13 @@
"alpha_release_title": "Alfa Sürümü",
"appearance": "Görünüm",
"appearance_description": "İstemcinizin görünümünü değiştirin.",
"apply": "Başvurmak",
"archive": "Arşiv",
"archive_coming_soon": "Arşivleme konumları yakında geliyor...",
"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",
"assign_tag": "Etiket Ata",
"audio_preview_not_supported": "Ses önizlemesi desteklenmiyor.",
"back": "Geri",
@ -46,11 +50,18 @@
"close": "Kapat",
"close_command_palette": "Komut paletini kapat",
"close_current_tab": "Geçerli sekmeyi kapat",
"cloud": "Bulut",
"cloud_drives": "Bulut Sürücüler",
"clouds": "Bulutlar",
"color": "Renk",
"coming_soon": "Yakında",
"contains": "içerir",
"compress": "Sıkıştır",
"configure_location": "Konumu Yapılandır",
"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",
"connect_device_description": "Spacedrive tüm cihazlarınızda en iyi şekilde çalışır.",
"connected": "Bağlı",
"contacts": "Kişiler",
"contacts_description": "Kişilerinizi Spacedrive'da yönetin.",
@ -86,16 +97,24 @@
"cut": "Kes",
"cut_object": "Nesneyi kes",
"cut_success": "Öğeleri kes",
"dark": "Karanlık",
"data_folder": "Veri Klasörü",
"date_format": "Tarih Formatı",
"date_format_description": "Spacedrive'da görüntülenen tarih biçimini değiştirme",
"date_accessed": "Erişilen tarih",
"date_created": "tarih oluşturuldu",
"date_indexed": "Dizine Eklenme Tarihi",
"date_modified": "Değiştirilme tarihi",
"date_taken": "Alınan Tarih",
"date_time_format": "Tarih ve Saat Formatı",
"date_time_format_description": "Spacedrive'da görüntülenen tarih biçimini seçme",
"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",
"random": "Rastgele",
"ipv6": "IPv6 ağı",
"ipv6_description": "IPv6 ağını kullanarak eşler arası iletişime izin verin",
"is": "o",
"is_not": "değil",
"default_settings": "Varsayılan ayarları",
"delete": "Sil",
"delete_dialog_title": "{{prefix}} {{type}} Sil",
@ -138,12 +157,20 @@
"enable_networking": "Ağı Etkinleştir",
"enable_networking_description": "Düğümünüzün etrafınızdaki diğer Spacedrive düğümleriyle iletişim kurmasına izin verin.",
"enable_networking_description_required": "Kütüphane senkronizasyonu veya Spacedrop için gereklidir!",
"spacedrop": "Uzay damlası görünürlüğü",
"spacedrop_everyone": "Herkes",
"spacedrop_contacts_only": "Yalnızca Kişiler",
"spacedrop_disabled": "Engelli",
"remote_access": "Uzaktan erişimi etkinleştir",
"remote_access_description": "Diğer düğümlerin doğrudan bu düğüme bağlanmasını etkinleştirin.",
"encrypt": "Şifrele",
"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.",
"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.",
"equals": "o",
"erase": "Sil",
"erase_a_file": "Bir dosyayı sil",
"erase_a_file_description": "Silme ayarlarınızı yapılandırın.",
@ -158,6 +185,7 @@
"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.",
"extension": "Uzatma",
"extensions": "Uzantılar",
"extensions_description": "Bu istemcinin işlevselliğini genişletmek için uzantıları yükleyin.",
"fahrenheit": "Fahrenheit",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "Geribildiriminizi gönderirken bir hata oluştu. Lütfen tekrar deneyin.",
"file_already_exist_in_this_location": "Dosya bu konumda zaten mevcut",
"file_indexing_rules": "Dosya İndeksleme Kuralları",
"filter": "Filtre",
"filters": "Filtreler",
"forward": "İleri",
"free_of": "ücretsiz",
"from": "gelen",
"full_disk_access": "Tam Disk Erişimi",
"full_disk_access_description": "En iyi deneyimi sağlamak için dosyalarınızı indekslemek üzere diskinize erişmemiz gerekiyor. Dosyalarınız yalnızca size açık.",
"full_reindex": "Tam Yeniden İndeksleme",
@ -211,6 +242,7 @@
"grid_gap": "Boşluk",
"grid_view": "Izgara Görünümü",
"grid_view_notice_description": "Dosyalarınıza Izgara Görünümü ile görsel bir genel bakış alın. Bu görünüm dosya ve klasörlerinizi küçük resim görüntüleri olarak gösterir, aradığınız dosyayı hızlıca tanımlamanızı sağlar.",
"hidden": "Gizli",
"hidden_label": "Konumun ve içeriğinin özet kategorilerde, aramalarda ve etiketlerde görünmesini engeller, 'Gizli öğeleri göster' etkinleştirilmedikçe.",
"hide_in_library_search": "Kütüphane aramasında gizle",
"hide_in_library_search_description": "Bu etiketle olan dosyaları kütüphanenin tamamında yapılan aramalarda sonuçlardan gizle.",
@ -229,8 +261,6 @@
"install": "Yükle",
"install_update": "Güncellemeyi Yükle",
"installed": "Yüklendi",
"ipv6": "IPv6 ağı",
"ipv6_description": "IPv6 ağını kullanarak eşler arası iletişime izin verin",
"item_size": "Öğe Boyutu",
"item_with_count_one": "{{count}} madde",
"item_with_count_other": "{{count}} maddeler",
@ -249,6 +279,8 @@
"keybinds_description": "İstemci tuş bağlamalarını görüntüleyin ve yönetin",
"keys": "Anahtarlar",
"kilometers": "Kilometreler",
"kind": "Nazik",
"label": "Etiket",
"labels": "Etiketler",
"language": "Dil",
"language_description": "Spacedrive arayüzünün dilini değiştirin",
@ -256,16 +288,20 @@
"libraries": "Kütüphaneler",
"libraries_description": "Veritabanı tüm kütüphane verilerini ve dosya metaverilerini içerir.",
"library": "Kütüphane",
"library_db_size": "Dizin boyutu",
"library_db_size_description": "Kütüphane veritabanının boyutu.",
"library_name": "Kütüphane adı",
"library_overview": "Kütüphane Genel Bakışı",
"library_settings": "Kütüphane Ayarları",
"library_settings_description": "Şu anda aktif olan kütüphane ile ilgili genel ayarlar.",
"light": "Işık",
"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",
"local": "Yerel",
"local_locations": "Yerel Konumlar",
"local_node": "Yerel Düğüm",
"location": "Konum",
"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.",
@ -333,13 +369,17 @@
"no_nodes_found": "Spacedrive düğümleri bulunamadı.",
"no_tag_selected": "Etiket Seçilmedi",
"no_tags": "Etiket yok",
"no_tags_description": "Herhangi bir etiket oluşturmadınız",
"no_search_selected": "Arama Seçilmedi",
"node_name": "Düğüm Adı",
"nodes": "Düğümler",
"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",
"not_you": "Siz değil misiniz?",
"nothing_selected": "Nothing selected",
"number_of_passes": "Geçiş sayısı",
"object": "Nesne",
"object_id": "Nesne ID",
"offline": "Çevrimdışı",
"online": "Çevrimiçi",
@ -364,15 +404,17 @@
"path": "Yol",
"path_copied_to_clipboard_description": "{{location}} konumu için yol panoya kopyalandı.",
"path_copied_to_clipboard_title": "Yol panoya kopyalandı",
"paths": "Yollar",
"pause": "Durdur",
"peers": "Eşler",
"people": "İnsanlar",
"pin": "Toplu iğne",
"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_view": "Hızlı bakış",
"random": "Rastgele",
"recent_jobs": "Son İşler",
"recents": "Son Kullanılanlar",
"recents_notice_message": "Son kullanılanlar, bir dosyayı açtığınızda oluşturulur.",
@ -382,8 +424,6 @@
"reindex": "Yeniden İndeksle",
"reject": "Reddet",
"reload": "Yeniden Yükle",
"remote_access": "Uzaktan erişimi etkinleştir",
"remote_access_description": "Diğer düğümlerin doğrudan bu düğüme bağlanmasını etkinleştirin.",
"remove": "Kaldır",
"remove_from_recents": "Son Kullanılanlardan Kaldır",
"rename": "Yeniden Adlandır",
@ -402,10 +442,12 @@
"running": "Çalışıyor",
"save": "Kaydet",
"save_changes": "Değişiklikleri Kaydet",
"save_search": "Aramayı Kaydet",
"saved_searches": "Kaydedilen Aramalar",
"search": "Aramak",
"search_extensions": "Arama uzantıları",
"search_for_files_and_actions": "Dosyaları ve eylemleri arayın...",
"search_locations": "Arama konumları",
"secure_delete": "Güvenli sil",
"security": "Güvenlik",
"security_description": "İstemcinizi güvende tutun.",
@ -436,16 +478,13 @@
"spacedrive_account": "Spacedrive Hesabı",
"spacedrive_cloud": "Spacedrive Bulutu",
"spacedrive_cloud_description": "Spacedrive her zaman yerel odaklıdır, ancak gelecekte kendi isteğe bağlı bulut hizmetlerimizi sunacağız. Şu anda kimlik doğrulama yalnızca Geri Bildirim özelliği için kullanılır, aksi takdirde gerekli değildir.",
"spacedrop": "Uzay damlası görünürlüğü",
"spacedrop_a_file": "Bir Dosya Spacedropa",
"spacedrop_already_progress": "Spacedrop zaten devam ediyor",
"spacedrop_contacts_only": "Yalnızca Kişiler",
"spacedrop_description": "Ağınızda Spacedrive çalıştıran cihazlarla anında paylaşın.",
"spacedrop_disabled": "Engelli",
"spacedrop_everyone": "Herkes",
"spacedrop_rejected": "Spacedrop reddedildi",
"square_thumbnails": "Kare Küçük Resimler",
"star_on_github": "GitHub'da Yıldızla",
"starts_with": "ile başlar",
"stop": "Durdur",
"success": "Başarılı",
"support": "Destek",
@ -459,6 +498,7 @@
"sync_description": "Spacedrive'ın nasıl senkronize edileceğini yönetin.",
"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",
"tags": "Etiketler",
"tags_description": "Etiketlerinizi yönetin.",
"tags_notice_message": "Bu etikete atanan öğe yok.",
@ -470,6 +510,7 @@
"thank_you_for_your_feedback": "Geribildiriminiz için teşekkür ederiz!",
"thumbnailer_cpu_usage": "Küçükresim Oluşturucunun CPU kullanımı",
"thumbnailer_cpu_usage_description": "Küçükresim oluşturucunun arka planda işleme için ne kadar CPU kullanacağını sınırlayın.",
"to": "için",
"toggle_all": "Hepsini Değiştir",
"toggle_command_palette": "Komut paletini değiştir",
"toggle_hidden_files": "Gizli dosyaları aç/kapat",
@ -486,6 +527,12 @@
"click_to_hide": "Gizlemek için tıklayın",
"click_to_lock": "Kilitlemek için tıklayın",
"tools": "Aletler",
"total_bytes_capacity": "Toplam kapasite",
"total_bytes_capacity_description": "Kütüphaneye bağlı tüm düğümlerin toplam kapasitesi. Alfa sırasında yanlış değerler gösterebilir.",
"total_bytes_free": "Boş alan",
"total_bytes_free_description": "Kütüphaneye bağlı tüm düğümlerde boş alan mevcuttur.",
"total_bytes_used": "Toplam kullanılan alan",
"total_bytes_used_description": "Kütüphaneye bağlı tüm düğümlerde kullanılan toplam alan.",
"trash": "Çöp",
"type": "Tip",
"ui_animations": "UI Animasyonları",
@ -505,6 +552,7 @@
"view_changes": "Değişiklikleri Görüntüle",
"want_to_do_this_later": "Bunu daha sonra yapmak ister misiniz?",
"website": "Web Sitesi",
"with_descendants": "Torunlarla",
"your_account": "Hesabınız",
"your_account_description": "Spacedrive hesabınız ve bilgileri.",
"your_local_network": "Yerel Ağınız",

View file

@ -8,9 +8,11 @@
"actions": "操作",
"add": "添加",
"add_device": "添加设备",
"add_filter": "添加过滤器",
"add_library": "添加库",
"add_location": "添加位置",
"add_location_description": "通过将您喜爱的位置添加到个人库中,增强您的 Spacedrive 体验,以实现无缝高效的文件管理。",
"add_location_overview_description": "将本地路径、卷或网络位置连接到 Spacedrive。",
"add_location_tooltip": "将路径添加为索引",
"add_locations": "添加位置",
"add_tag": "添加标签",
@ -20,11 +22,13 @@
"alpha_release_title": "Alpha 版本",
"appearance": "外观",
"appearance_description": "调整客户端的外观。",
"apply": "申请",
"archive": "存档",
"archive_coming_soon": "存档位置功能即将推出……",
"archive_info": "将库中的数据作为存档提取,有利于保留位置的目录结构。",
"are_you_sure": "您确定吗?",
"ask_spacedrive": "询问 Spacedrive",
"asc": "上升",
"assign_tag": "分配标签",
"audio_preview_not_supported": "不支持音频预览。",
"back": "返回",
@ -36,22 +40,28 @@
"cancel_selection": "取消选择",
"celcius": "摄氏度",
"change": "更改",
"change_view_setting_description": "更改默认资源管理器视图",
"changelog": "更新日志",
"changelog_page_description": "看看我们在开发哪些酷炫的新功能",
"change_view_setting_description": "更改默认资源管理器视图",
"changelog_page_title": "更新日志",
"checksum": "校验和",
"clear_finished_jobs": "清除已完成的任务",
"client": "客户端",
"close": "关闭",
"close_current_tab": "关闭当前标签页",
"clouds": "云服务",
"close_command_palette": "关闭命令面板",
"close_current_tab": "关闭当前标签页",
"cloud": "雲",
"cloud_drives": "云盘",
"clouds": "云服务",
"color": "颜色",
"coming_soon": "即将推出",
"contains": "包含",
"compress": "压缩",
"configure_location": "配置位置",
"connect_cloud": "连接云",
"connect_cloud_description": "将您的云帐户连接到 Spacedrive。",
"connect_device": "连接设备",
"connect_device_description": "Spacedrive 在您的所有设备上都能发挥最佳效果。",
"connected": "已连接",
"contacts": "联系人",
"contacts_description": "在 Spacedrive 中管理您的联系人。",
@ -87,16 +97,24 @@
"cut": "剪切",
"cut_object": "剪切对象",
"cut_success": "剪切项目",
"dark": "Dark",
"data_folder": "数据文件夹",
"date_format": "日期格式",
"date_format_description": "选择 Spacedrive 中显示的日期格式",
"date_accessed": "访问日期",
"date_created": "创建日期",
"date_indexed": "索引日期",
"date_modified": "修改日期",
"date_taken": "拍摄日期",
"date_time_format": "日期和时间格式",
"date_time_format_description": "选择 Spacedrive 中显示的日期格式",
"debug_mode": "调试模式",
"debug_mode_description": "启用本应用额外的调试功能。",
"default": "默认",
"desc": "降序",
"random": "随机的",
"ipv6": "IPv6网络",
"ipv6_description": "允许使用 IPv6 网络进行点对点通信",
"is": "是",
"is_not": "不是",
"default_settings": "默认设置",
"delete": "删除",
"delete_dialog_title": "删除 {{prefix}} {{type}}",
@ -139,12 +157,20 @@
"enable_networking": "启用网络",
"enable_networking_description": "允许您的节点与您周围的其他 Spacedrive 节点进行通信。",
"enable_networking_description_required": "库的同步和 Spacedrop 需要开启本功能!",
"spacedrop": "太空空投可见度",
"spacedrop_everyone": "每个人",
"spacedrop_contacts_only": "仅限联系人",
"spacedrop_disabled": "残疾人",
"remote_access": "启用远程访问",
"remote_access_description": "使其他节点能够直接连接到该节点。",
"encrypt": "加密",
"encrypt_library": "加密库",
"encrypt_library_coming_soon": "库加密即将推出",
"encrypt_library_description": "为这个库启用加密这只会加密Spacedrive数据库不会加密文件本身。",
"ends_with": "以。。结束",
"ephemeral_notice_browse": "直接从您的设备浏览您的文件和文件夹。",
"ephemeral_notice_consider_indexing": "考虑索引您本地的位置,以获得更快和更高效的浏览。",
"equals": "是",
"erase": "擦除",
"erase_a_file": "擦除一个文件",
"erase_a_file_description": "配置您的擦除设置。",
@ -159,6 +185,7 @@
"export_library": "导出库",
"export_library_coming_soon": "导出库功能即将推出",
"export_library_description": "将这个库导出到一个文件。",
"extension": "扩大",
"extensions": "扩展",
"extensions_description": "安装扩展来扩展这个客户端的功能。",
"fahrenheit": "华氏度",
@ -189,8 +216,11 @@
"feedback_toast_error_message": "提交反馈时出错,请重试。",
"file_already_exist_in_this_location": "文件已存在于此位置",
"file_indexing_rules": "文件索引规则",
"filter": "筛选",
"filters": "过滤器",
"forward": "前进",
"free_of": "自由的",
"from": "从",
"full_disk_access": "完全磁盘访问",
"full_disk_access_description": "为了提供最佳体验,我们需要访问您的磁盘以索引您的文件。您的文件只有您自己可以访问。",
"full_reindex": "完全重新索引",
@ -212,6 +242,7 @@
"grid_gap": "间隙",
"grid_view": "网格视图",
"grid_view_notice_description": "通过网格视图直观地了解您的文件。这种视图以缩略图形式显示您的文件和文件夹,方便您快速识别所寻找的文件。",
"hidden": "隐",
"hidden_label": "阻止位置及其内容出现在汇总分类、搜索和标签中,除非启用了“显示隐藏项目”。",
"hide_in_library_search": "在库搜索中隐藏",
"hide_in_library_search_description": "在搜索整个库时从结果中隐藏带有此标签的文件。",
@ -230,13 +261,7 @@
"install": "安装",
"install_update": "安装更新",
"installed": "已安装",
"ipv6": "IPv6网络",
"ipv6_description": "允许使用 IPv6 网络进行点对点通信",
"item_size": "项目大小",
"icon_size": "图标大小",
"text_size": "文字大小",
"item_with_count_one": "{{count}} 项目",
"item_with_count_other": "{{count}} 项目",
"job_has_been_canceled": "作业已取消。",
"job_has_been_paused": "作业已暂停。",
"job_has_been_removed": "作业已移除。",
@ -252,6 +277,8 @@
"keybinds_description": "查看和管理客户端键绑定",
"keys": "密钥",
"kilometers": "千米",
"kind": "种类",
"label": "标签",
"labels": "标签",
"language": "语言",
"language_description": "更改 Spacedrive 界面的语言",
@ -259,16 +286,20 @@
"libraries": "库",
"libraries_description": "数据库包含所有库的数据和文件的元数据。",
"library": "库",
"library_db_size": "索引大小",
"library_db_size_description": "图书馆数据库的大小。",
"library_name": "库名称",
"library_overview": "库概览",
"library_settings": "库设置",
"library_settings_description": "与当前活动库相关的一般设置。",
"light": "光",
"list_view": "列表视图",
"list_view_notice_description": "通过列表视图轻松导航您的文件和文件夹。这种视图以简单、有组织的列表形式显示文件,让您能够快速定位和访问所需文件。",
"loading": "正在加载",
"local": "本地",
"local_locations": "本地位置",
"local_node": "本地节点",
"location": "地点",
"location_connected_tooltip": "位置正在监视变化",
"location_disconnected_tooltip": "位置未被监视以检查更改",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
@ -282,6 +313,7 @@
"locations": "位置",
"locations_description": "管理您的存储位置。",
"lock": "锁定",
"log_in": "登录",
"log_in_with_browser": "使用浏览器登录",
"log_out": "退出登录",
"logged_in_as": "已登录为 {{email}}",
@ -335,13 +367,17 @@
"no_nodes_found": "找不到 Spacedrive 节点.",
"no_tag_selected": "没有选中的标签",
"no_tags": "没有标签",
"no_tags_description": "您还没有创建任何标签",
"no_search_selected": "未选择搜索",
"node_name": "节点名称",
"nodes": "节点",
"nodes_description": "管理连接到此库的节点。节点是在设备或服务器上运行的Spacedrive后端的实例。每个节点都携带数据库副本并通过点对点连接实时同步。",
"none": "无",
"normal": "普通",
"not_you": "不是您?",
"nothing_selected": "未选择任何内容",
"number_of_passes": "通过次数",
"object": "目的",
"object_id": "对象ID",
"offline": "离线",
"online": "在线",
@ -366,15 +402,17 @@
"path": "路径",
"path_copied_to_clipboard_description": "位置{{location}}的路径已复制到剪贴板。",
"path_copied_to_clipboard_title": "路径已复制到剪贴板",
"paths": "路径",
"pause": "暂停",
"peers": "个端点",
"people": "人们",
"pin": "别针",
"preview_media_bytes": "预览媒体",
"preview_media_bytes_description": "所有预览媒体文件(例如缩略图)的总大小。",
"privacy": "隐私",
"privacy_description": "Spacedrive是为隐私而构建的这就是为什么我们是开源的以本地优先。因此我们会非常明确地告诉您与我们分享了什么数据。",
"quick_preview": "快速预览",
"quick_view": "快速查看",
"random": "随机的",
"recent_jobs": "最近的作业",
"recents": "最近使用",
"recents_notice_message": "打开文件时会创建最近的文件。",
@ -384,8 +422,6 @@
"reindex": "重新索引",
"reject": "拒绝",
"reload": "重新加载",
"remote_access": "启用远程访问",
"remote_access_description": "使其他节点能够直接连接到该节点。",
"remove": "移除",
"remove_from_recents": "从最近使用中移除",
"rename": "重命名",
@ -404,10 +440,12 @@
"running": "运行中",
"save": "保存",
"save_changes": "保存更改",
"save_search": "保存搜索",
"saved_searches": "保存的搜索",
"search": "搜索",
"search_extensions": "搜索扩展",
"search_for_files_and_actions": "搜索文件和操作...",
"search_locations": "搜索地点",
"secure_delete": "安全删除",
"security": "安全",
"security_description": "确保您的客户端安全。",
@ -438,16 +476,13 @@
"spacedrive_account": "Spacedrive 账户",
"spacedrive_cloud": "Spacedrive 云",
"spacedrive_cloud_description": "Spacedrive 始终优先重视本地资源,但我们未来会提供可选的自有云服务。目前,身份验证仅用于反馈功能。",
"spacedrop": "太空空投可见度",
"spacedrop_a_file": "使用 Spacedrop 传输文件",
"spacedrop_already_progress": "Spacedrop 已在进行中",
"spacedrop_contacts_only": "仅限联系人",
"spacedrop_description": "与在您的网络上运行 Spacedrive 的设备即时共享。",
"spacedrop_disabled": "残疾人",
"spacedrop_everyone": "每个人",
"spacedrop_rejected": "Spacedrop 被拒绝",
"square_thumbnails": "方形缩略图",
"star_on_github": "在 GitHub 上送一个 star",
"starts_with": "以。。开始",
"stop": "停止",
"success": "成功",
"support": "支持",
@ -461,6 +496,7 @@
"sync_description": "管理Spacedrive的同步方式。",
"sync_with_library": "与库同步",
"sync_with_library_description": "如果启用,您的键绑定将与库同步,否则它们只适用于此客户端。",
"system": "系统",
"tags": "标签",
"tags_description": "管理您的标签。",
"tags_notice_message": "没有项目分配给该标签。",
@ -472,6 +508,7 @@
"thank_you_for_your_feedback": "感谢您的反馈!",
"thumbnailer_cpu_usage": "缩略图生成器 CPU 使用",
"thumbnailer_cpu_usage_description": "限制缩略图生成器在后台处理时可以使用 CPU 的量。",
"to": "到",
"toggle_all": "切换全部",
"toggle_command_palette": "切换命令面板",
"toggle_hidden_files": "显示/隐藏文件",
@ -488,6 +525,12 @@
"click_to_hide": "点击隐藏",
"click_to_lock": "点击锁定",
"tools": "工具",
"total_bytes_capacity": "总容量",
"total_bytes_capacity_description": "连接到库的所有节点的总容量。 在 Alpha 期间可能会显示不正确的值。",
"total_bytes_free": "可用空间",
"total_bytes_free_description": "连接到库的所有节点上的可用空间。",
"total_bytes_used": "总使用空间",
"total_bytes_used_description": "连接到库的所有节点上使用的总空间。",
"trash": "垃圾",
"type": "类型",
"ui_animations": "用户界面动画",
@ -507,6 +550,7 @@
"view_changes": "查看更改",
"want_to_do_this_later": "想稍后再做吗?",
"website": "网站",
"with_descendants": "与后代",
"your_account": "您的账户",
"your_account_description": "Spacedrive账号和信息。",
"your_local_network": "您的本地网络",

View file

@ -8,9 +8,11 @@
"actions": "行動",
"add": "新增",
"add_device": "新增裝置",
"add_filter": "新增過濾器",
"add_library": "新增圖書館",
"add_location": "新增位置",
"add_location_description": "通過將您喜歡的位置添加到您的個人圖書館可增強您的Spacedrive體驗實現無縫高效的文件管理。",
"add_location_overview_description": "將本機路徑、磁碟區或網路位置連接到 Spacedrive。",
"add_location_tooltip": "添加路徑作為索引位置",
"add_locations": "添加位置",
"add_tag": "添加標籤",
@ -20,11 +22,13 @@
"alpha_release_title": "Alpha版本",
"appearance": "外觀",
"appearance_description": "改變您的客戶端外觀。",
"apply": "申請",
"archive": "存檔",
"archive_coming_soon": "存檔位置功能即將開通...",
"archive_info": "將數據從圖書館中提取出來作為存檔,用途是保存位置文件夾結構。",
"are_you_sure": "您確定嗎?",
"ask_spacedrive": "詢問 Spacedrive",
"asc": "上升",
"assign_tag": "指定標籤",
"audio_preview_not_supported": "不支援音頻預覽。",
"back": "返回",
@ -46,11 +50,18 @@
"close": "關閉",
"close_command_palette": "關閉命令面板",
"close_current_tab": "關閉目前分頁",
"cloud": "雲",
"cloud_drives": "雲端硬碟",
"clouds": "雲",
"color": "顏色",
"coming_soon": "即將推出",
"contains": "包含",
"compress": "壓縮",
"configure_location": "配置位置",
"connect_cloud": "連接雲",
"connect_cloud_description": "將您的雲端帳戶連接到 Spacedrive。",
"connect_device": "連接裝置",
"connect_device_description": "Spacedrive 在您的所有裝置上都能發揮最佳效果。",
"connected": "已連接",
"contacts": "聯繫人",
"contacts_description": "在Spacedrive中管理您的聯繫人。",
@ -86,16 +97,24 @@
"cut": "剪切",
"cut_object": "剪下物件",
"cut_success": "剪下項目",
"dark": "黑暗的",
"data_folder": "數據文件夾",
"date_format": "日期格式",
"date_format_description": "選擇 Spacedrive 中顯示的日期格式",
"date_accessed": "訪問日期",
"date_created": "建立日期",
"date_indexed": "索引日期",
"date_modified": "修改日期",
"date_taken": "拍攝日期",
"date_time_format": "日期和時間格式",
"date_time_format_description": "選擇 Spacedrive 中顯示的日期格式",
"debug_mode": "除錯模式",
"debug_mode_description": "在應用程序中啟用額外的除錯功能。",
"default": "默認",
"desc": "降序",
"random": "隨機的",
"ipv6": "IPv6網路",
"ipv6_description": "允許使用 IPv6 網路進行點對點通訊",
"is": "伊斯蘭國",
"is_not": "不是",
"default_settings": "預設設定",
"delete": "刪除",
"delete_dialog_title": "刪除 {{prefix}} {{type}}",
@ -138,12 +157,20 @@
"enable_networking": "啟用網絡",
"enable_networking_description": "允許您的節點與您周圍的其他 Spacedrive 節點進行通訊。",
"enable_networking_description_required": "庫同步或 Spacedrop 所需!",
"spacedrop": "太空空投可見度",
"spacedrop_everyone": "每個人",
"spacedrop_contacts_only": "限聯絡人",
"spacedrop_disabled": "殘障人士",
"remote_access": "啟用遠端存取",
"remote_access_description": "使其他節點能夠直接連接到該節點。",
"encrypt": "加密",
"encrypt_library": "加密圖書館",
"encrypt_library_coming_soon": "圖書館加密即將推出",
"encrypt_library_description": "為這個圖書館啟用加密這將僅加密Spacedrive數據庫而不是文件本身。",
"ends_with": "以。",
"ephemeral_notice_browse": "直接從您的設備瀏覽您的文件和文件夾。",
"ephemeral_notice_consider_indexing": "考慮索引您的本地位置,以實現更快更高效的探索。",
"equals": "等於",
"erase": "擦除",
"erase_a_file": "擦除文件",
"erase_a_file_description": "配置您的擦除設置。",
@ -158,6 +185,7 @@
"export_library": "導出圖書館",
"export_library_coming_soon": "導出圖書館即將推出",
"export_library_description": "將此圖書館導出到文件。",
"extension": "擴大",
"extensions": "擴展",
"extensions_description": "安裝擴展以擴展此客戶端的功能。",
"fahrenheit": "華氏",
@ -188,8 +216,11 @@
"feedback_toast_error_message": "提交回饋時發生錯誤。請重試。",
"file_already_exist_in_this_location": "該位置已存在該檔案",
"file_indexing_rules": "文件索引規則",
"filter": "篩選",
"filters": "篩選器",
"forward": "前進",
"free_of": "自由的",
"from": "從",
"full_disk_access": "完全磁碟訪問",
"full_disk_access_description": "為了提供最佳體驗,我們需要訪問您的磁碟以索引您的文件。您的文件僅供您使用。",
"full_reindex": "完全重新索引",
@ -211,6 +242,7 @@
"grid_gap": "間隙",
"grid_view": "網格視圖",
"grid_view_notice_description": "使用網格視圖來視覺化你的文件概覽。這個視圖以縮略圖形式顯示你的文件和文件夾,讓你快速辨認你正在尋找的文件。",
"hidden": "隱",
"hidden_label": "隱藏位置和其內容從概要分類、搜索和標籤中顯示,除非啟用了“顯示隱藏項目”。",
"hide_in_library_search": "在圖書館搜索中隱藏",
"hide_in_library_search_description": "在搜索整個圖書館時從結果中隱藏帶有此標籤的文件。",
@ -229,11 +261,7 @@
"install": "安裝",
"install_update": "安裝更新",
"installed": "已安裝",
"ipv6": "IPv6網路",
"ipv6_description": "允許使用 IPv6 網路進行點對點通訊",
"item_size": "項目大小",
"item_with_count_one": "{{count}} 项目",
"item_with_count_other": "{{count}} 项目",
"job_has_been_canceled": "工作已取消。",
"job_has_been_paused": "工作已暫停。",
"job_has_been_removed": "工作已移除。",
@ -249,6 +277,8 @@
"keybinds_description": "查看和管理客戶端鍵綁定",
"keys": "鍵",
"kilometers": "公里",
"kind": "種類",
"label": "標籤",
"labels": "標籤",
"language": "語言",
"language_description": "更改Spacedrive界面的語言",
@ -256,16 +286,20 @@
"libraries": "圖書館",
"libraries_description": "數據庫包含所有圖書館數據和文件元數據。",
"library": "圖書館",
"library_db_size": "索引大小",
"library_db_size_description": "圖書館資料庫的大小。",
"library_name": "圖書館名稱",
"library_overview": "圖書館概覽",
"library_settings": "圖書館設置",
"library_settings_description": "與當前活躍圖書館相關的通用設置。",
"light": "光",
"list_view": "列表視圖",
"list_view_notice_description": "使用列表視圖輕鬆導航您的文件和文件夾。這個視圖以簡單、有組織的列表格式顯示您的文件,幫助您快速定位和訪問所需文件。",
"loading": "加載中",
"local": "本地",
"local_locations": "本地位置",
"local_node": "本地節點",
"location": "地點",
"location_connected_tooltip": "正在監視位置是否有變化",
"location_disconnected_tooltip": "正在監視位置是否有變化",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
@ -333,13 +367,17 @@
"no_nodes_found": "找不到 Spacedrive 節點.",
"no_tag_selected": "沒有選擇標籤",
"no_tags": "沒有標籤",
"no_tags_description": "您還沒有建立任何標籤",
"no_search_selected": "未選擇搜尋",
"node_name": "節點名稱",
"nodes": "節點",
"nodes_description": "管理連接到此圖書館的節點。一個節點是在設備或服務器上運行的Spacedrive後端實例。每個節點帶有數據庫副本通過點對點連接實時同步。",
"none": "無",
"normal": "常規",
"not_you": "不是您?",
"nothing_selected": "未選擇任何內容",
"number_of_passes": "通過次數",
"object": "目的",
"object_id": "對象ID",
"offline": "離線",
"online": "在線",
@ -364,15 +402,17 @@
"path": "路徑",
"path_copied_to_clipboard_description": "位置{{location}}的路徑已復製到剪貼簿。",
"path_copied_to_clipboard_title": "路徑已複製到剪貼簿",
"paths": "Paths",
"pause": "暫停",
"peers": "對等",
"people": "人們",
"pin": "別針",
"preview_media_bytes": "預覽媒體",
"preview_media_bytes_description": "所有預覽媒體檔案(例如縮圖)的總大小。",
"privacy": "隱私",
"privacy_description": "Spacedrive是為隱私而構建的這就是為什麼我們是開源的並且首先在本地。所以我們將非常清楚地告知我們分享了哪些數據。",
"quick_preview": "快速預覽",
"quick_view": "快速查看",
"random": "隨機的",
"recent_jobs": "最近的工作",
"recents": "最近的文件",
"recents_notice_message": "開啟檔案時會建立最近的檔案。",
@ -382,8 +422,6 @@
"reindex": "重新索引",
"reject": "拒絕",
"reload": "重載",
"remote_access": "啟用遠端存取",
"remote_access_description": "使其他節點能夠直接連接到該節點。",
"remove": "移除",
"remove_from_recents": "從最近的文件中移除",
"rename": "重命名",
@ -402,10 +440,12 @@
"running": "運行",
"save": "保存",
"save_changes": "保存變更",
"save_search": "儲存搜尋",
"saved_searches": "已保存的搜索",
"search": "搜尋",
"search_extensions": "搜索擴展",
"search_for_files_and_actions": "搜尋文件和操作...",
"search_locations": "搜尋地點",
"secure_delete": "安全刪除",
"security": "安全",
"security_description": "保護您的客戶端安全。",
@ -436,16 +476,13 @@
"spacedrive_account": "Spacedrive 帳戶",
"spacedrive_cloud": "Spacedrive 雲端",
"spacedrive_cloud_description": "Spacedrive 始終以本地為先,但我們將來會提供自己的選擇性雲端服務。目前,身份驗證僅用於反饋功能,否則不需要。",
"spacedrop": "太空空投可見度",
"spacedrop_a_file": "Spacedrop文件",
"spacedrop_already_progress": "Spacedrop 已在進行中",
"spacedrop_contacts_only": "限聯絡人",
"spacedrop_description": "與在您的網路上運行 Spacedrive 的裝置立即分享。",
"spacedrop_disabled": "殘障人士",
"spacedrop_everyone": "每個人",
"spacedrop_rejected": "Spacedrop 被拒絕",
"square_thumbnails": "方形縮略圖",
"star_on_github": "在GitHub上給星",
"starts_with": "以。",
"stop": "停止",
"success": "成功",
"support": "支持",
@ -459,6 +496,7 @@
"sync_description": "管理Spacedrive如何進行同步。",
"sync_with_library": "與圖書館同步",
"sync_with_library_description": "如果啟用,您的鍵綁定將與圖書館同步,否則它們僅適用於此客戶端。",
"system": "系統",
"tags": "標籤",
"tags_description": "管理您的標籤。",
"tags_notice_message": "沒有項目分配給該標籤。",
@ -470,6 +508,7 @@
"thank_you_for_your_feedback": "感謝您的回饋!",
"thumbnailer_cpu_usage": "縮略圖處理器使用情況",
"thumbnailer_cpu_usage_description": "限制縮略圖製作工具在後台處理時可以使用多少CPU。",
"to": "到",
"toggle_all": "切換全部",
"toggle_command_palette": "切換命令面板",
"toggle_hidden_files": "切換顯示隱藏檔案",
@ -486,6 +525,12 @@
"click_to_hide": "點擊隱藏",
"click_to_lock": "點擊鎖定",
"tools": "工具",
"total_bytes_capacity": "總容量",
"total_bytes_capacity_description": "連接到庫的所有節點的總容量。 在 Alpha 期間可能會顯示不正確的值。",
"total_bytes_free": "可用空間",
"total_bytes_free_description": "連接到庫的所有節點上的可用空間。",
"total_bytes_used": "總使用空間",
"total_bytes_used_description": "連接到庫的所有節點上使用的總空間。",
"trash": "垃圾",
"type": "類型",
"ui_animations": "UI動畫",
@ -505,6 +550,7 @@
"view_changes": "檢視變更",
"want_to_do_this_later": "想要稍後進行這操作嗎?",
"website": "網站",
"with_descendants": "與後代",
"your_account": "您的帳戶",
"your_account_description": "Spacedrive帳戶和資訊。",
"your_local_network": "您的本地網路",

View file

@ -127,6 +127,7 @@ export interface DialogProps<S extends FieldValues>
children?: ReactNode;
ctaDanger?: boolean;
closeLabel?: string;
cancelLabel?: string;
cancelBtn?: boolean;
description?: ReactNode;
onCancelled?: boolean | (() => void);
@ -171,7 +172,7 @@ export function Dialog<S extends FieldValues>({
variant="gray"
onClick={typeof onCancelled === 'function' ? onCancelled : undefined}
>
Cancel
{props.cancelLabel || 'Cancel'}
</Button>
</RDialog.Close>
);