i18n Keys for Size values and partial Job Manager translation (#2480)

* added more translation keys and a little bit refreshed overview card style

* reverted style changes and disabled pluralize func

* minor changes

* added a couple of translation keys for job manager

* deleted unused keys

* updated translations, changed card style in overview section

* forgot about console.log

* more translation and minor fixes in translation

* translation for sync component
This commit is contained in:
Artsiom Voitas 2024-05-17 18:44:47 +03:00 committed by GitHub
parent 26b6baffb6
commit c091ccacfd
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
29 changed files with 1437 additions and 529 deletions

View file

@ -76,14 +76,14 @@ const ExifMediaData = (data: ExifMetadata) => {
return (
<>
<MetaData
label="Date"
label={t('date')}
tooltipValue={data.date_taken ?? null} // should show full raw value
// should show localised, utc-offset value or plain value with tooltip mentioning that we don't have the timezone metadata
value={data.date_taken ?? null}
/>
<MetaData label="Type" value="Image" />
<MetaData label={t('type')} value={t('image')} />
<MetaData
label="Location"
label={t('location')}
tooltipValue={data.location && formatLocation(data.location, coordinatesFormat)}
value={
data.location && (
@ -116,16 +116,19 @@ const ExifMediaData = (data: ExifMetadata) => {
}
/>
<MetaData
label="Resolution"
label={t('resolution')}
value={`${data.resolution.width} x ${data.resolution.height}`}
/>
<MetaData label="Device" value={data.camera_data.device_make} />
<MetaData label="Model" value={data.camera_data.device_model} />
<MetaData label="Color profile" value={data.camera_data.color_profile} />
<MetaData label="Color space" value={data.camera_data.color_space} />
<MetaData label="Flash" value={data.camera_data.flash?.mode} />
<MetaData label={t('device')} value={data.camera_data.device_make} />
<MetaData label={t('model')} value={data.camera_data.device_model} />
<MetaData label={t('color_profile')} value={data.camera_data.color_profile} />
<MetaData label={t('color_space')} value={data.camera_data.color_space} />
<MetaData
label="Zoom"
label={t('flash')}
value={t(`${data.camera_data.flash?.mode.toLowerCase()}`)}
/>
<MetaData
label={t('zoom')}
value={
data.camera_data &&
data.camera_data.zoom &&
@ -134,8 +137,8 @@ const ExifMediaData = (data: ExifMetadata) => {
: '--'
}
/>
<MetaData label="Iso" value={data.camera_data.iso} />
<MetaData label="Software" value={data.camera_data.software} />
<MetaData label="ISO" value={data.camera_data.iso} />
<MetaData label={t('software')} value={data.camera_data.software} />
</>
);
};
@ -196,7 +199,7 @@ const FFmpegMediaData = (data: FFmpegMetadata) => {
return (
<>
<MetaData label={t('type')} value={type} />
<MetaData label="Bitrate" value={`${bit_rate.value} ${bit_rate.unit}/s`} />
<MetaData label={t('bitrate')} value={`${bit_rate.value} ${bit_rate.unit}/s`} />
{duration && <MetaData label={t('duration')} value={duration.format('HH:mm:ss.SSS')} />}
{start_time && (
<MetaData label={t('start_time')} value={start_time.format('HH:mm:ss.SSS')} />

View file

@ -34,7 +34,6 @@ import {
humanizeSize,
NonIndexedPathItem,
Object,
ObjectKindEnum,
ObjectWithFilePaths,
useBridgeQuery,
useItemsAsObjects,
@ -305,7 +304,11 @@ export const SingleItemMetadata = ({ item }: { item: ExplorerItem }) => {
<MetaData
icon={Cube}
label={t('size')}
value={!!ephemeralPathData && ephemeralPathData.is_dir ? null : `${size}`}
value={
!!ephemeralPathData && ephemeralPathData.is_dir
? null
: `${size.value} ${t(`size_${size.unit.toLowerCase()}`)}`
}
/>
<MetaData
@ -522,6 +525,7 @@ const MultiItemMetadata = ({ items }: { items: ExplorerItem[] }) => {
const { t, dateFormat } = useLocale();
const onlyNonIndexed = metadata.types.has('NonIndexedPath') && metadata.types.size === 1;
const filesSize = humanizeSize(metadata.size);
return (
<>
@ -529,7 +533,11 @@ const MultiItemMetadata = ({ items }: { items: ExplorerItem[] }) => {
<MetaData
icon={Cube}
label={t('size')}
value={metadata.size !== null ? `${humanizeSize(metadata.size)}` : null}
value={
metadata.size !== null
? `${filesSize.value} ${t(`size_${filesSize.unit.toLowerCase()}s`)}`
: null
}
/>
<MetaData
icon={Clock}

View file

@ -45,7 +45,7 @@ export default () => {
<SelectOption value="none">{t('none')}</SelectOption>
{explorer.orderingKeys?.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
{t(`${option.description?.toLowerCase().split(' ').join('_')}`)}
</SelectOption>
))}
</Select>

View file

@ -132,6 +132,7 @@ const ItemSize = () => {
const isLocation = item.data.type === 'Location';
const isEphemeral = item.data.type === 'NonIndexedPath';
const isFolder = filePath?.is_dir;
const { t } = useLocale();
const showSize =
showBytesInGridView &&
@ -142,8 +143,10 @@ const ItemSize = () => {
(!isRenaming || !item.selected);
const bytes = useMemo(
() => showSize && humanizeSize(filePath?.size_in_bytes_bytes),
[filePath?.size_in_bytes_bytes, showSize]
() =>
showSize &&
`${humanizeSize(filePath?.size_in_bytes_bytes).value} ${t(`size_${humanizeSize(filePath?.size_in_bytes_bytes).unit.toLowerCase()}`)}`,
[filePath?.size_in_bytes_bytes, showSize, t]
);
if (!showSize) return null;

View file

@ -122,7 +122,7 @@ export const useTable = () => {
!filePath.size_in_bytes_bytes ||
(filePath.is_dir && item.type === 'NonIndexedPath')
? '-'
: humanizeSize(filePath.size_in_bytes_bytes);
: `${humanizeSize(filePath.size_in_bytes_bytes).value} ${t(`size_${humanizeSize(filePath.size_in_bytes_bytes).unit.toLowerCase()}`)}`;
}
},
{

View file

@ -165,7 +165,7 @@ const kinds: Record<string, string> = {
Code: `${i18n.t('code')}`,
Database: `${i18n.t('database')}`,
Book: `${i18n.t('book')}`,
Config: `${i18n.t('widget')}`,
Config: `${i18n.t('config')}`,
Dotfile: `${i18n.t('dotfile')}`,
Screenshot: `${i18n.t('screenshot')}`,
Label: `${i18n.t('label')}`

View file

@ -12,6 +12,7 @@ import { memo } from 'react';
import { JobProgressEvent, JobReport, useJobInfo } from '@sd/client';
import { ProgressBar } from '@sd/ui';
import { showAlertDialog } from '~/components';
import { useLocale } from '~/hooks';
import JobContainer from './JobContainer';
@ -34,6 +35,7 @@ const JobIcon: Record<string, Icon> = {
function Job({ job, className, isChild, progress }: JobProps) {
const jobData = useJobInfo(job, progress);
const { t } = useLocale();
// I don't like sending TSX as a prop due to lack of hot-reload, but it's the only way to get the error log to show up
if (job.status === 'CompletedWithErrors') {
@ -51,13 +53,12 @@ function Job({ job, className, isChild, progress }: JobProps) {
);
jobData.textItems?.push([
{
text: 'Completed with errors',
text: t('completed_with_errors'),
icon: Info,
onClick: () => {
showAlertDialog({
title: 'Error',
description:
'The job completed with errors. Please see the error log below for more information. If you need help, please contact support and provide this error.',
title: t('error'),
description: t('job_error_description'),
children: JobError
});
}

View file

@ -41,6 +41,7 @@ export default function ({ group, progress }: JobGroupProps) {
}, [jobs]);
if (jobs.length === 0) return <></>;
const { t } = useLocale();
return (
<ul className="relative overflow-visible">
@ -69,9 +70,7 @@ export default function ({ group, progress }: JobGroupProps) {
textItems={[
[
{
text: `${formatNumber(tasks.total)} ${
tasks.total <= 1 ? 'task' : 'tasks'
}`
text: `${formatNumber(tasks.total)} ${t('task', { count: tasks.total })}`
},
{ text: dateStarted },
{ text: totalGroupTime || undefined },
@ -80,7 +79,7 @@ export default function ({ group, progress }: JobGroupProps) {
text: ['Queued', 'Paused', 'Canceled', 'Failed'].includes(
group.status
)
? group.status
? t(`${group.status.toLowerCase()}`)
: undefined
}
],

View file

@ -89,8 +89,7 @@ const KindItem = ({ kind, name, icon, items, selected, onClick, disabled }: Kind
<h2 className="text-sm font-medium">{name}</h2>
{items !== undefined && (
<p className="text-xs text-ink-faint">
{formatNumber(items)}{' '}
{items > 1 || items === 0 ? `${t('items')}` : `${t('item')}`}
{t('item_with_count', { count: items })}
</p>
)}
</div>

View file

@ -31,6 +31,8 @@ const StatItem = (props: StatItemProps) => {
saveState: false
});
const { t } = useLocale();
return (
<div
className={clsx(
@ -57,7 +59,9 @@ const StatItem = (props: StatItemProps) => {
})}
>
<span className="font-black tabular-nums">{count}</span>
<span className="ml-1 text-[16px] font-medium text-ink-faint">{size.unit}</span>
<span className="ml-1 text-[16px] font-medium text-ink-faint">
{t(`size_${size.unit.toLowerCase()}`)}
</span>
</div>
</span>
</div>

View file

@ -3,6 +3,7 @@ import { useMemo } from 'react';
import { humanizeSize } from '@sd/client';
import { Button, Card, tw } from '@sd/ui';
import { Icon } from '~/components';
import { useLocale } from '~/hooks';
type LocationCardProps = {
name: string;
@ -20,6 +21,7 @@ const LocationCard = ({ icon, name, connectionType, ...stats }: LocationCardProp
totalSpace: humanizeSize(stats.totalSpace)
};
}, [stats]);
const { t } = useLocale();
return (
<Card className="flex w-[280px] shrink-0 flex-col bg-app-box/50 !p-0 ">
@ -29,7 +31,7 @@ const LocationCard = ({ icon, name, connectionType, ...stats }: LocationCardProp
<span className="truncate font-medium">{name}</span>
<span className="mt-1 truncate text-tiny text-ink-faint">
{totalSpace.value}
{totalSpace.unit}
{t(`size_${totalSpace.unit.toLowerCase()}`)}
</span>
</div>
</div>

View file

@ -1,7 +1,6 @@
import { ReactComponent as Ellipsis } from '@sd/assets/svgs/ellipsis.svg';
import { useEffect, useMemo, useState } from 'react';
import { humanizeSize } from '@sd/client';
import { Button, Card, CircularProgress, tw } from '@sd/ui';
import { Card, CircularProgress, tw } from '@sd/ui';
import { Icon } from '~/components';
import { useIsDark, useLocale } from '~/hooks';
@ -61,22 +60,36 @@ const StatCard = ({ icon, name, connectionType, ...stats }: StatCardProps) => {
<div className="absolute text-lg font-semibold">
{usedSpaceSpace.value}
<span className="ml-0.5 text-tiny opacity-60">
{usedSpaceSpace.unit}
{t(`size_${usedSpaceSpace.unit.toLowerCase()}`)}
</span>
</div>
</CircularProgress>
)}
<div className="flex flex-col overflow-hidden">
<Icon className="-ml-1" name={icon as any} size={60} />
<Icon
className="-ml-1 min-h-[60px] min-w-[60px]"
name={icon as any}
size={60}
/>
<span className="truncate font-medium">{name}</span>
<span className="mt-1 truncate text-tiny text-ink-faint">
{freeSpace.value}
{freeSpace.unit} {t('free_of')} {totalSpace.value}
{totalSpace.unit}
{freeSpace.value !== totalSpace.value && (
<>
{freeSpace.value} {t(`size_${freeSpace.unit.toLowerCase()}`)}{' '}
{t('free_of')} {totalSpace.value}{' '}
{t(`size_${totalSpace.unit.toLowerCase()}`)}
</>
)}
</span>
</div>
</div>
<div className="flex h-10 flex-row items-center gap-1.5 border-t border-app-line px-2">
{freeSpace.value === totalSpace.value && (
<Pill>
{totalSpace.value}
{t(`size_${totalSpace.unit.toLowerCase()}`)}
</Pill>
)}
<Pill className="uppercase">{connectionType || t('local')}</Pill>
<div className="grow" />
{/* <Button size="icon" variant="outline">

View file

@ -2,6 +2,7 @@ import clsx from 'clsx';
import { useRef } from 'react';
import { IndexerRule } from '@sd/client';
import { InfoPill } from '~/app/$libraryId/Explorer/Inspector';
import { useLocale } from '~/hooks';
import { IndexerRuleIdFieldType } from '.';
@ -26,6 +27,7 @@ function RuleButton<T extends IndexerRuleIdFieldType>({
const value = field?.value ?? [];
const toggleRef = useRef<HTMLElement>(null);
const ruleEnabled = value.includes(rule.id);
const { t } = useLocale();
return (
<div
@ -41,7 +43,9 @@ function RuleButton<T extends IndexerRuleIdFieldType>({
)}
>
<div className="w-full">
<p className="mb-2 truncate px-2 text-center text-sm">{rule.name}</p>
<p className="mb-2 truncate px-2 text-center text-sm">
{t(`${rule.name?.toLowerCase().split(' ').join('_')}`)}
</p>
<div className="flex flex-wrap justify-center gap-2">
<InfoPill
ref={toggleRef}
@ -61,10 +65,10 @@ function RuleButton<T extends IndexerRuleIdFieldType>({
ruleEnabled ? '!bg-accent !text-white' : 'text-ink'
)}
>
{ruleEnabled ? 'Enabled' : 'Disabled'}
{ruleEnabled ? t('enabled') : t('disabled')}
</InfoPill>
{ruleIsSystem(rule) && (
<InfoPill className="px-2 text-ink-faint">System</InfoPill>
<InfoPill className="px-2 text-ink-faint">{t('system')}</InfoPill>
)}
</div>
</div>

View file

@ -1,7 +1,8 @@
import clsx from 'clsx';
import { ChangeEvent, ChangeEventHandler, forwardRef, memo } from 'react';
import { Input, toast } from '@sd/ui';
import { useOperatingSystem } from '~/hooks';
import i18n from '~/app/I18n';
import { useLocale, useOperatingSystem } from '~/hooks';
import { usePlatform } from '~/util/Platform';
import { openDirectoryPickerDialog } from '../openDirectoryPickerDialog';
@ -27,7 +28,7 @@ export const validateInput = (
const regex = os === 'windows' ? /^\.[^<>:"/\\|?*\u0000-\u0031]+$/ : /^\.[^/\0\s]+$/;
return {
value: regex.test(value),
message: value ? 'Invalid extension' : 'Value required'
message: value ? i18n.t('invalid_extension') : i18n.t('value_required')
};
}
case 'Name': {
@ -35,7 +36,7 @@ export const validateInput = (
const regex = os === 'windows' ? /^[^<>:"/\\|?*\u0000-\u0031]+$/ : /^[^/\0]+$/;
return {
value: regex.test(value),
message: value ? 'Invalid name' : 'Value required'
message: value ? i18n.t('invalid_name') : i18n.t('value_required')
};
}
case 'Path': {
@ -46,14 +47,14 @@ export const validateInput = (
: /^[^\0]+$/;
return {
value: regex?.test(value) || false,
message: value ? 'Invalid path' : 'Value required'
message: value ? i18n.t('invalid_path') : i18n.t('value_required')
};
}
case 'Advanced': {
const regex = os === 'windows' ? /^[^<>:"\u0000-\u0031]+$/ : /^[^\0]+/;
return {
value: regex.test(value),
message: value ? 'Invalid glob' : 'Value required'
message: value ? i18n.t('invalid_glob') : i18n.t('value_required')
};
}
default:
@ -66,6 +67,7 @@ export const RuleInput = memo(
const os = useOperatingSystem(true);
const platform = usePlatform();
const isWeb = platform.platform === 'web';
const { t } = useLocale();
switch (props.kind) {
case 'Name':
@ -79,7 +81,7 @@ export const RuleInput = memo(
}
}}
// TODO: The check here shouldn't be for which os the UI is running, but for which os the node is running
placeholder="File/Directory name"
placeholder={t('file_directory_name')}
{...props}
/>
);
@ -93,8 +95,8 @@ export const RuleInput = memo(
props.onBlur?.(event);
}
}}
aria-label="Add a file extension to the current rule"
placeholder="File extension (e.g., .mp4, .jpg, .txt)"
aria-label={t('add_file_extension_rule')}
placeholder={t('file_extension_description')}
{...props}
/>
);
@ -148,7 +150,7 @@ export const RuleInput = memo(
props.onBlur?.(event);
}
}}
placeholder="Glob (e.g., **/.git)"
placeholder={t('glob_description')}
{...props}
/>
);

View file

@ -140,12 +140,12 @@ const RulesForm = ({ onSubmitted }: Props) => {
document.body
)}
<FormProvider {...form}>
<h3 className="mb-[15px] w-full text-sm font-semibold">Name</h3>
<h3 className="mb-[15px] w-full text-sm font-semibold">{t('name')}</h3>
<Input
className={errors.name && 'border border-red-500'}
form={formId}
size="md"
placeholder="Name"
placeholder={t('name')}
maxLength={18}
{...form.register('name')}
/>
@ -186,7 +186,7 @@ const RulesForm = ({ onSubmitted }: Props) => {
>
{selectValues.map((value) => (
<SelectOption key={value} value={value}>
{value}
{t(`${value.toLowerCase()}`)}
</SelectOption>
))}
</Select>

View file

@ -45,8 +45,8 @@ export const Component = () => {
{syncEnabled.data === false ? (
<Setting
mini
title="Enable Sync"
description="Generate sync operations for all the existing data in this library, and configure Spacedrive to generate sync operations when things happen in future."
title={t('enable_sync')}
description={t('enable_sync_description')}
>
<div>
<Button
@ -59,7 +59,7 @@ export const Component = () => {
}}
disabled={backfillSync.isLoading}
>
Enable sync
{t('enable_sync')}
</Button>
</div>
</Setting>
@ -69,11 +69,11 @@ export const Component = () => {
mini
title={
<>
Ingester
{t('ingester')}
<OnlineIndicator online={data[ACTORS.Ingest] ?? false} />
</>
}
description="This process takes sync operations from P2P connections and Spacedrive Cloud and applies them to the library."
description={t('injester_description')}
>
<div>
{data[ACTORS.Ingest] ? (
@ -94,6 +94,7 @@ export const Component = () => {
function SyncBackfillDialog(props: UseDialogProps & { onEnabled: () => void }) {
const form = useZodForm({ schema: z.object({}) });
const dialog = useDialog(props);
const {t} = useLocale();
const enableSync = useLibraryMutation(['sync.backfill'], {});
@ -111,8 +112,8 @@ function SyncBackfillDialog(props: UseDialogProps & { onEnabled: () => void }) {
return (
<Dialog
title="Backfilling Sync Operations"
description="Library is paused until backfill completes"
title={t('backfill_sync')}
description={t('backfill_sync_description')}
form={form}
dialog={dialog}
hideButtons
@ -122,22 +123,23 @@ function SyncBackfillDialog(props: UseDialogProps & { onEnabled: () => void }) {
}
function CloudSync({ data }: { data: inferSubscriptionResult<Procedures, 'library.actors'> }) {
const {t} = useLocale()
return (
<>
<div>
<h1 className="mb-0.5 text-lg font-bold text-ink">Cloud Sync</h1>
<h1 className="mb-0.5 text-lg font-bold text-ink">{t('cloud_sync')}</h1>
<p className="text-sm text-ink-faint">
Manage the processes that sync your library with Spacedrive Cloud
{t('cloud_sync_description')}
</p>
</div>
<Setting
mini
title={
<>
Sender <OnlineIndicator online={data[ACTORS.CloudSend] ?? false} />
{t('sender')} <OnlineIndicator online={data[ACTORS.CloudSend] ?? false} />
</>
}
description="This process sends sync operations to Spacedrive Cloud."
description={t('sender_description')}
>
<div>
{data[ACTORS.CloudSend] ? (
@ -151,11 +153,11 @@ function CloudSync({ data }: { data: inferSubscriptionResult<Procedures, 'librar
mini
title={
<>
Receiver
{t('receiver')}
<OnlineIndicator online={data[ACTORS.CloudReceive] ?? false} />
</>
}
description="This process receives and stores operations from Spacedrive Cloud."
description={t('receiver_description')}
>
<div>
{data[ACTORS.CloudReceive] ? (
@ -169,11 +171,11 @@ function CloudSync({ data }: { data: inferSubscriptionResult<Procedures, 'librar
mini
title={
<>
Ingester
{t('ingester')}
<OnlineIndicator online={data[ACTORS.CloudIngest] ?? false} />
</>
}
description="This process takes received cloud operations and sends them to the main sync ingester."
description={t('ingester_description')}
>
<div>
{data[ACTORS.CloudIngest] ? (
@ -189,6 +191,7 @@ function CloudSync({ data }: { data: inferSubscriptionResult<Procedures, 'librar
function StartButton({ name }: { name: string }) {
const startActor = useLibraryMutation(['library.startActor']);
const {t} = useLocale()
return (
<Button
@ -196,17 +199,18 @@ function StartButton({ name }: { name: string }) {
disabled={startActor.isLoading}
onClick={() => startActor.mutate(name)}
>
{startActor.isLoading ? 'Starting...' : 'Start'}
{startActor.isLoading ? t('starting') : t('start')}
</Button>
);
}
function StopButton({ name }: { name: string }) {
const stopActor = useLibraryMutation(['library.stopActor']);
const {t} = useLocale()
return (
<Button variant="accent" disabled={stopActor.isLoading} onClick={() => stopActor.mutate(name)}>
{stopActor.isLoading ? 'Stopping...' : 'Stop'}
{stopActor.isLoading ? t('stopping') : t('stop')}
</Button>
);
}

View file

@ -9,6 +9,7 @@
"actions": "إجراءات",
"add": "إضافة",
"add_device": "إضافة جهاز",
"add_file_extension_rule": "إضافة ملحق ملف إلى القاعدة الحالية",
"add_filter": "Add Filter",
"add_library": "إضافة مكتبة",
"add_location": "إضافة موقع",
@ -19,6 +20,7 @@
"add_tag": "إضافة علامة",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "متقدم",
"advanced_settings": "الإعدادات المتقدمة",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"archive_coming_soon": "سيتم إضافة خاصية الأرشفة قريبًا...",
"archive_info": "استخراج البيانات من المكتبة كأرشيف ، مفيد للحفاظ على هيكل المجلدات في الموقع.",
"are_you_sure": "هل أنت متأكد؟",
"ask_spacedrive": "اسأل Spacedrive",
"ascending": "Ascending",
"ask_spacedrive": "اسأل Spacedrive",
"assign_tag": "تعيين علامة",
"audio": "Audio",
"audio_preview_not_supported": "معاينة الصوت غير مدعومة.",
"auto": "آلي",
"back": "رجوع",
"backfill_sync": "عمليات مزامنة الردم",
"backfill_sync_description": "تم إيقاف المكتبة مؤقتًا حتى اكتمال عملية الردم",
"backups": "نسخ احتياطية",
"backups_description": "إدارة نسخ احتياطية لقاعدة بيانات Spacedrive الخاصة بك.",
"bitrate": "معدل البت",
"blur_effects": "تأثيرات ضبابية",
"blur_effects_description": "سيتم تطبيق تأثير ضبابي على بعض المكونات.",
"book": "book",
"cancel": "إلغاء",
"cancel_selection": "إلغاء التحديد",
"canceled": "ألغيت",
"celcius": "درجة مئوية",
"change": "تغيير",
"change_view_setting_description": "تغيير عرض المستكشف الافتراضي",
@ -55,18 +62,25 @@
"changelog_page_title": "سجل التغييرات",
"checksum": "التحقق من الصحة",
"clear_finished_jobs": "مسح الوظائف المنتهية",
"click_to_hide": "انقر لإخفاء",
"click_to_lock": "انقر للتأمين",
"client": "العميل",
"close": "إغلاق",
"close_command_palette": "إغلاق لوحة الأوامر",
"close_current_tab": "إغلاق العلامة التبويب الحالية",
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"cloud_sync": "مزامنة السحابة",
"cloud_sync_description": "إدارة العمليات التي تزامن مكتبتك مع Spacedrive Cloud",
"clouds": "سحب",
"code": "Code",
"collection": "Collection",
"color": "لون",
"color_profile": "ملف تعريف اللون",
"color_space": "مساحة اللون",
"coming_soon": "قريبًا",
"contains": "contains",
"completed": "مكتمل",
"completed_with_errors": "اكتمل مع وجود أخطاء",
"compress": "ضغط",
"config": "Config",
"configure_location": "تكوين الموقع",
@ -78,6 +92,7 @@
"connected": "متصل",
"contacts": "جهات الاتصال",
"contacts_description": "إدارة جهات الاتصال الخاصة بك في Spacedrive.",
"contains": "contains",
"content_id": "معرف المحتوى",
"continue": "متابعة",
"convert_to": "تحويل إلى",
@ -112,8 +127,9 @@
"cut_object": "قص الكائن",
"cut_success": "تم القص بنجاح",
"dark": "Dark",
"database": "Database",
"data_folder": "مجلد البيانات",
"database": "Database",
"date": "تاريخ",
"date_accessed": "تاريخ الوصول",
"date_created": "تاريخ الإنشاء",
"date_indexed": "تاريخ الفهرسة",
@ -124,15 +140,6 @@
"debug_mode": "وضع التصحيح",
"debug_mode_description": "تمكين ميزات التصحيح الإضافية داخل التطبيق.",
"default": "الافتراضي",
"descending": "Descending",
"random": "عشوائي",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "شبكة IPv6",
"ipv6_description": "السماح بالاتصال الند للند باستخدام شبكة IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "is",
"is_not": "is not",
"default_settings": "الإعدادات الافتراضية",
"delete": "حذف",
"delete_dialog_title": "حذف {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "حذف العلامة",
"delete_tag_description": "هل أنت متأكد أنك تريد حذف هذه العلامة؟ لا يمكن التراجع عن هذا الإجراء وسيتم فصل الملفات التي تحتوي على علامات.",
"delete_warning": "سيتم حذف {{type}} الخاص بك. لا يمكن التراجع عن هذا الإجراء في الوقت الحالي. إذا قمت بنقله إلى سلة المهملات ، يمكنك استعادته لاحقًا. إذا قمت بالحذف النهائي ، فسيتم حذفه نهائيًا.",
"descending": "Descending",
"description": "الوصف",
"deselect": "إلغاء التحديد",
"details": "تفاصيل",
"device": "جهاز",
"devices": "الأجهزة",
"devices_coming_soon_tooltip": "قريبًا! هذا الإصدار التجريبي الأولي لا يتضمن مزامنة المكتبة ، وسيكون جاهزًا قريبًا جدًا.",
"dialog": "حوار",
"dialog_shortcut_description": "لأداء الإجراءات والعمليات",
"direction": "الاتجاه",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "معطل",
"disconnected": "غير متصل",
"display_formats": "تنسيقات العرض",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "تم",
"dont_show_again": "لا تظهر مرة أخرى",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "لا تظهر مرة أخرى",
"dotfile": "Dotfile",
"double_click_action": "إجراء النقر المزدوج",
"download": "تحميل",
"downloading_update": "جارٍ تحميل التحديث",
"drag_to_resize": "اسحب لتغيير الحجم",
"duplicate": "تكرار",
"duplicate_object": "تكرار الكائن",
"duplicate_success": "تم تكرار العناصر",
@ -182,12 +192,9 @@
"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": "تمكين العقد الأخرى من الاتصال المباشر بهذه العقدة.",
"enable_sync": "تمكين المزامنة",
"enable_sync_description": "قم بإنشاء عمليات مزامنة لجميع البيانات الموجودة في هذه المكتبة، وقم بتكوين Spacedrive لإنشاء عمليات المزامنة عند حدوث أشياء في المستقبل.",
"enabled": "ممكّن",
"encrypt": "تشفير",
"encrypt_library": "تشفير المكتبة",
"encrypt_library_coming_soon": "تشفير المكتبة قريبًا",
@ -203,6 +210,7 @@
"error": "خطأ",
"error_loading_original_file": "حدث خطأ أثناء تحميل الملف الأصلي",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "توسيع",
"explorer": "مستكشف",
"explorer_settings": "إعدادات المستكشف",
@ -212,11 +220,11 @@
"export_library": "تصدير المكتبة",
"export_library_coming_soon": "تصدير المكتبة قريبًا",
"export_library_description": "تصدير هذه المكتبة إلى ملف.",
"executable": "Executable",
"extension": "Extension",
"extensions": "الامتدادات",
"extensions_description": "تثبيت الامتدادات لتوسيع وظائف هذا العميل.",
"fahrenheit": "فهرنهايت",
"failed": "فشل",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "فشل إلغاء الوظيفة.",
"failed_to_clear_all_jobs": "فشل مسح جميع الوظائف.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "فشل إنشاء التسميات",
"failed_to_generate_thumbnails": "فشل إنشاء الصور المصغرة",
"failed_to_load_tags": "فشل تحميل العلامات",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "فشل إيقاف الوظيفة.",
"failed_to_reindex_location": "فشل إعادة فهرسة الموقع",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "حدث خطأ أثناء إرسال ملاحظاتك. يرجى المحاولة مرة أخرى.",
"file": "file",
"file_already_exist_in_this_location": "الملف موجود بالفعل في هذا الموقع",
"file_directory_name": "اسم الملف/الدليل",
"file_extension_description": "امتداد الملف (على سبيل المثال، .mp4، .jpg، .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "قواعد فهرسة الملفات",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "مرشحات",
"flash": "فلاش",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "قسري",
"forward": "إلى الأمام",
"free_of": "free of",
"from": "from",
@ -272,6 +284,7 @@
"general_shortcut_description": "اختصارات الاستخدام العام",
"generatePreviewMedia_label": "إنشاء وسائط المعاينة لهذا الموقع",
"generate_checksums": "إنشاء التحقق من الصحة",
"glob_description": "الكرة الأرضية (على سبيل المثال، **/.git)",
"go_back": "العودة",
"go_to_labels": "الانتقال إلى العلامات",
"go_to_location": "الانتقال إلى الموقع",
@ -290,6 +303,7 @@
"hide_in_sidebar": "إخفاء في الشريط الجانبي",
"hide_in_sidebar_description": "منع هذه العلامة من الظهور في الشريط الجانبي للتطبيق.",
"hide_location_from_view": "إخفاء الموقع والمحتويات عن العرض",
"hide_sidebar": "إخفاء الشريط الجانبي",
"home": "الصفحة الرئيسية",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,20 +318,35 @@
"indexer_rule_reject_allow_label": "بشكل افتراضي ، تعمل قاعدة فهرسة الملفات كقائمة رفض ، مما يؤدي إلى استبعاد أي ملفات تتطابق مع معاييرها. تمكين هذا الخيار سيحولها إلى قائمة السماح ، مما يسمح للموقع بفهرسة الملفات التي تلبي القواعد المحددة له.",
"indexer_rules": "قواعد فهرسة الملفات",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "تسمح قواعد فهرسة الملفات بتحديد المسارات التي يجب تجاهلها باستخدام الأنماط العامة.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "استيعاب",
"ingester_description": "تأخذ هذه العملية العمليات السحابية المستلمة وترسلها إلى وحدة استيعاب المزامنة الرئيسية.",
"injester_description": "تأخذ هذه العملية عمليات المزامنة من اتصالات P2P وSpacedrive Cloud وتطبقها على المكتبة.",
"install": "تثبيت",
"install_update": "تثبيت التحديث",
"installed": "مثبت",
"invalid_extension": "ملحق غير صالح",
"invalid_glob": "الكرة الأرضية غير صالحة",
"invalid_name": "اسم غير صالح",
"invalid_path": "مسار غير صالح",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "شبكة IPv6",
"ipv6_description": "السماح بالاتصال الند للند باستخدام شبكة IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "is",
"is_not": "is not",
"item": "item",
"item_size": "حجم العنصر",
"item_with_count_zero": "{{count}} items",
"item_with_count_one": "{{count}} عنصر",
"item_with_count_two": "{{count}} items",
"item_with_count_few": "{{count}} items",
"item_with_count_many": "{{count}} items",
"item_with_count_one": "{{count}} عنصر",
"item_with_count_other": "{{count}} عناصر",
"item_with_count_two": "{{count}} items",
"item_with_count_zero": "{{count}} items",
"items": "items",
"job_error_description": "اكتملت المهمة مع وجود أخطاء. \nالرجاء مراجعة سجل الأخطاء أدناه للحصول على مزيد من المعلومات. \nإذا كنت بحاجة إلى مساعدة، يرجى الاتصال بالدعم وتقديم هذا الخطأ.",
"job_has_been_canceled": "تم إلغاء الوظيفة.",
"job_has_been_paused": "تم إيقاف الوظيفة.",
"job_has_been_removed": "تمت إزالة الوظيفة.",
@ -334,12 +363,12 @@
"keys": "المفاتيح",
"kilometers": "كيلومترات",
"kind": "Kind",
"kind_zero": "Kinds",
"kind_one": "Kind",
"kind_two": "Kinds",
"kind_few": "Kinds",
"kind_many": "Kinds",
"kind_one": "Kind",
"kind_other": "Kinds",
"kind_two": "Kinds",
"kind_zero": "Kinds",
"label": "Label",
"labels": "العلامات",
"language": "اللغة",
@ -350,6 +379,8 @@
"libraries": "المكتبات",
"libraries_description": "تحتوي قاعدة البيانات على جميع بيانات المكتبة وبيانات الملفات.",
"library": "مكتبة",
"library_bytes": "حجم المكتبة",
"library_bytes_description": "الحجم الإجمالي لجميع المواقع في مكتبتك.",
"library_db_size": "Index size",
"library_db_size_description": "The size of the library database.",
"library_name": "اسم المكتبة",
@ -365,25 +396,26 @@
"local_locations": "المواقع المحلية",
"local_node": "العقدة المحلية",
"location": "Location",
"location_zero": "Locations",
"location_one": "Location",
"location_two": "Locations",
"location_few": "Locations",
"location_many": "Locations",
"location_other": "Locations",
"location_connected_tooltip": "يتم مراقبة الموقع للتغييرات",
"location_disconnected_tooltip": "لا يتم مراقبة الموقع للتغييرات",
"location_display_name_info": "اسم هذا الموقع ، وهذا ما سيتم عرضه في الشريط الجانبي. لن يتم إعادة تسمية المجلد الفعلي على القرص.",
"location_empty_notice_message": "لم يتم العثور على ملفات هنا",
"location_few": "Locations",
"location_is_already_linked": "الموقع مرتبط بالفعل",
"location_many": "Locations",
"location_one": "Location",
"location_other": "Locations",
"location_path_info": "المسار إلى هذا الموقع ، وهذا هو المكان الذي سيتم تخزين الملفات فيه على القرص.",
"location_two": "Locations",
"location_type": "نوع الموقع",
"location_type_managed": "سيقوم Spacedrive بفرز الملفات بالنيابة عنك. إذا لم يكن الموقع فارغًا ، فسيتم إنشاء مجلد \"spacedrive\".",
"location_type_normal": "سيتم فهرسة المحتويات كما هي ، ولن يتم فرز الملفات الجديدة تلقائيًا.",
"location_type_replica": "هذا الموقع هو نسخة من آخر ، وسيتم مزامنة محتوياته تلقائيًا.",
"location_zero": "Locations",
"locations": "المواقع",
"locations_description": "إدارة مواقع التخزين الخاصة بك.",
"lock": "قفل",
"lock_sidebar": "تأمين الشريط الجانبي",
"log_in": "تسجيل الدخول",
"log_in_with_browser": "تسجيل الدخول باستخدام المتصفح",
"log_out": "تسجيل الخروج",
@ -401,6 +433,7 @@
"mesh": "Mesh",
"miles": "أميال",
"mode": "الوضع",
"model": "نموذج",
"modified": "تم التعديل",
"more": "المزيد",
"more_actions": "المزيد من الإجراءات...",
@ -436,27 +469,33 @@
"new_update_available": "تحديث جديد متاح!",
"no_apps_available": "No apps available",
"no_favorite_items": "لا توجد عناصر مفضلة",
"no_git": "لا جيت",
"no_hidden": "لا مخفي",
"no_items_found": "لم يتم العثور على عناصر",
"no_jobs": "لا توجد وظائف.",
"no_labels": "لا توجد علامات",
"no_nodes_found": "لم يتم العثور على عقد Spacedrive.",
"no_os_protected": "لا يوجد نظام تشغيل محمي",
"no_search_selected": "No Search Selected",
"no_tag_selected": "لم يتم تحديد علامة",
"no_tags": "لا توجد علامات",
"no_tags_description": "You have not created any tags",
"no_search_selected": "No Search Selected",
"node_name": "اسم العقدة",
"nodes": "العقد",
"nodes_description": "إدارة العقد المتصلة بهذه المكتبة. العقدة هي نسخة من الخلفية الخاصة بـ Spacedrive ، تعمل على جهاز أو خادم. تحمل كل عقدة نسخة من قاعدة البيانات وتتزامن عبر اتصالات ند لند في الوقت الفعلي.",
"none": "لا شيء",
"normal": "عادي",
"note": "Note",
"not_you": "ليس أنت؟",
"note": "Note",
"nothing_selected": "Nothing selected",
"number_of_passes": "عدد المرات",
"object": "Object",
"object_id": "معرف الكائن",
"off": "عن",
"offline": "غير متصل",
"on": "على",
"online": "متصل",
"only_images": "الصور فقط",
"open": "فتح",
"open_file": "فتح الملف",
"open_in_new_tab": "فتح في علامة تبويب جديدة",
@ -470,6 +509,11 @@
"opening_trash": "Opening Trash",
"or": "أو",
"overview": "نظرة عامة",
"p2p_visibility": "رؤية P2P",
"p2p_visibility_contacts_only": "جهات الاتصال فقط",
"p2p_visibility_description": "قم بتكوين من يمكنه رؤية تثبيت Spacedrive الخاص بك.",
"p2p_visibility_disabled": "عاجز",
"p2p_visibility_everyone": "الجميع",
"package": "Package",
"page": "صفحة",
"page_shortcut_description": "صفحات مختلفة في التطبيق",
@ -484,6 +528,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Paths",
"pause": "إيقاف مؤقت",
"paused": "متوقف مؤقتًا",
"peers": "الأقران",
"people": "الأشخاص",
"pin": "تثبيت",
@ -493,9 +538,13 @@
"preview_media_bytes_description": "The total size of all preview media files, such as thumbnails.",
"privacy": "الخصوصية",
"privacy_description": "تم بناء Spacedrive للخصوصية ، ولهذا السبب نحن مفتوح المصدر ومحلي أولاً. لذلك سنوضح بشكل واضح جدًا البيانات التي يتم مشاركتها معنا.",
"queued": "في قائمة الانتظار",
"quick_preview": "معاينة سريعة",
"quick_rescan_started": "Quick rescan started",
"quick_view": "عرض سريع",
"random": "عشوائي",
"receiver": "المتلقي",
"receiver_description": "تتلقى هذه العملية العمليات من Spacedrive Cloud وتخزنها.",
"recent_jobs": "الوظائف الأخيرة",
"recents": "الأحدث",
"recents_notice_message": "يتم إنشاء الأحدث عند فتح ملف.",
@ -506,6 +555,8 @@
"reject": "رفض",
"reject_files": "Reject files",
"reload": "إعادة تحميل",
"remote_access": "تمكين الوصول عن بُعد",
"remote_access_description": "تمكين العقد الأخرى من الاتصال المباشر بهذه العقدة.",
"remove": "إزالة",
"remove_from_recents": "إزالة من الأحدث",
"rename": "إعادة تسمية",
@ -519,6 +570,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "دقة",
"resources": "الموارد",
"restore": "استعادة",
"resume": "استئناف",
@ -540,10 +592,12 @@
"secure_delete": "حذف آمن",
"security": "الأمان",
"security_description": "احفظ عميلك بأمان.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "إرسال",
"send_report": "Send Report",
"sender": "مرسل",
"sender_description": "ترسل هذه العملية عمليات المزامنة إلى Spacedrive Cloud.",
"settings": "الإعدادات",
"setup": "إعداد",
"share": "مشاركة",
@ -561,23 +615,36 @@
"show_slider": "إظهار المنزلق",
"size": "الحجم",
"size_b": "بايت",
"size_bs": "ب",
"size_gb": "جيجابايت",
"size_gbs": "جيجا بايت",
"size_kb": "كيلوبايت",
"size_kbs": "كيلو بايت",
"size_mb": "ميجابايت",
"size_mbs": "ميغابايت",
"size_tb": "تيرابايت",
"size_tbs": "السل",
"skip_login": "تخطي تسجيل الدخول",
"software": "برمجة",
"sort_by": "ترتيب حسب",
"spacedrive_account": "حساب Spacedrive",
"spacedrive_cloud": "سحابة Spacedrive",
"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",
"start": "يبدأ",
"starting": "ابتداء...",
"starts_with": "starts with",
"stop": "إيقاف",
"stopping": "وقف...",
"success": "نجاح",
"support": "الدعم",
"switch_to_grid_view": "التبديل إلى عرض الشبكة",
@ -592,15 +659,22 @@
"sync_with_library_description": "إذا تم تمكينها ، ستتم مزامنة اختصارات المفاتيح الخاصة بك مع المكتبة ، وإلا فسيتم تطبيقها فقط على هذا العميل.",
"system": "System",
"tag": "Tag",
"tag_zero": "Tags",
"tag_one": "Tag",
"tag_two": "Tags",
"tag_few": "Tags",
"tag_many": "Tags",
"tag_one": "Tag",
"tag_other": "Tags",
"tag_two": "Tags",
"tag_zero": "Tags",
"tags": "العلامات",
"tags_description": "إدارة العلامات الخاصة بك.",
"tags_notice_message": "لا توجد عناصر معينة لهذه العلامة.",
"task": "task",
"task_few": "tasks",
"task_many": "tasks",
"task_one": "task",
"task_other": "tasks",
"task_two": "tasks",
"task_zero": "task",
"telemetry_description": "قم بتبديل التشغيل لتزويد المطورين ببيانات مفصلة حول الاستخدام وبيانات التلميح لتحسين التطبيق. قم بتبديل التشغيل لإرسال بيانات أساسية فقط: حالة نشاطك ، إصدار التطبيق ، إصدار النواة ، والمنصة (مثل الجوال أو الويب أو سطح المكتب).",
"telemetry_title": "مشاركة بيانات التلميح والاستخدام الإضافية",
"temperature": "درجة الحرارة",
@ -621,11 +695,6 @@
"toggle_path_bar": "تبديل شريط المسار",
"toggle_quick_preview": "تبديل المعاينة السريعة",
"toggle_sidebar": "تبديل الشريط الجانبي",
"lock_sidebar": "تأمين الشريط الجانبي",
"hide_sidebar": "إخفاء الشريط الجانبي",
"drag_to_resize": "اسحب لتغيير الحجم",
"click_to_hide": "انقر لإخفاء",
"click_to_lock": "انقر للتأمين",
"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.",
@ -637,8 +706,8 @@
"type": "النوع",
"ui_animations": "الرسوم المتحركة لواجهة المستخدم",
"ui_animations_description": "سيتم تحريك الحوارات وعناصر واجهة المستخدم الأخرى عند فتحها وإغلاقها.",
"unnamed_location": "موقع بدون اسم",
"unknown": "Unknown",
"unnamed_location": "موقع بدون اسم",
"update": "تحديث",
"update_downloaded": "تم تنزيل التحديث. أعد تشغيل Spacedrive للتثبيت",
"updated_successfully": "تم التحديث بنجاح ، أنت على الإصدار {{version}}",
@ -649,6 +718,7 @@
"vaccum_library": "تنظيف المكتبة",
"vaccum_library_description": "إعادة ترتيب قاعدة البيانات الخاصة بك لتحرير مساحة غير ضرورية.",
"value": "القيمة",
"value_required": "القيمة مطلوبة",
"version": "الإصدار {{version}}",
"video": "Video",
"video_preview_not_supported": "معاينة الفيديو غير مدعومة.",
@ -656,12 +726,13 @@
"want_to_do_this_later": "هل ترغب في القيام بذلك لاحقًا؟",
"web_page_archive": "Web Page Archive",
"website": "الموقع الإلكتروني",
"widget": "Widget",
"widget": "القطعة",
"with_descendants": "With Descendants",
"your_account": "حسابك",
"your_account_description": "حساب Spacedrive والمعلومات الخاصة بك.",
"your_local_network": "شبكتك المحلية",
"your_privacy": "خصوصيتك",
"zoom": "تكبير",
"zoom_in": "تكبير",
"zoom_out": "تصغير"
}

View file

@ -9,6 +9,7 @@
"actions": "Дзеянні",
"add": "Дабавіць",
"add_device": "Дабавіць прыладу",
"add_file_extension_rule": "Дадайце пашырэнне файла да бягучага правіла",
"add_filter": "Дадаць фільтр",
"add_library": "Дабавіць бібліятэку",
"add_location": "Дабавіць лакацыю",
@ -19,6 +20,7 @@
"add_tag": "Дабавіць тэг",
"added_location": "Дададзена лакацыя {{name}}",
"adding_location": "Дадаем лакацыю {{name}}",
"advanced": "Дадатковыя",
"advanced_settings": "Дадатковыя налады",
"album": "Альбом",
"alias": "Псеўданім",
@ -34,19 +36,24 @@
"archive_coming_soon": "Архіваванне лакацый хутка з'явіцца...",
"archive_info": "Выманне дадзеных з бібліятэкі ў выглядзе архіва, карысна для захавання структуры лакацый.",
"are_you_sure": "Вы ўпэўнены?",
"ask_spacedrive": "Спытайце Spacedrive",
"ascending": "Па ўзрастанні",
"ask_spacedrive": "Спытайце Spacedrive",
"assign_tag": "Прысвоіць тэг",
"audio": "Аўдыё",
"audio_preview_not_supported": "Папярэдні прагляд аўдыя не падтрымваецца.",
"auto": "Аўто",
"back": "Назад",
"backfill_sync": "Аперацыі поўнай сінхранізацыі",
"backfill_sync_description": "Праца бібліятэкі прыпынена да завяршэння сінхранізацыі",
"backups": "Рэз. копіі",
"backups_description": "Кіруйце вашымі копіямі базы дадзеных Spacedrive",
"bitrate": "Бітрэйт",
"blur_effects": "Эфекты размыцця",
"blur_effects_description": "Да некаторых кампанентаў будзе ўжыты эфект размыцця.",
"book": "Кніга",
"cancel": "Скасаваць",
"cancel_selection": "Скасаваць выбар",
"canceled": "Адменена",
"celcius": "Цэльсій",
"change": "Змяніць",
"change_view_setting_description": "Змяніць выгляд правадніка па змаўчанні",
@ -55,20 +62,27 @@
"changelog_page_title": "Спіс змен",
"checksum": "Кантрольная сума",
"clear_finished_jobs": "Ачысціць скончаныя заданні",
"click_to_hide": "Націсніце, каб схаваць",
"click_to_lock": "Націсніце, каб заблакаваць",
"client": "Кліент",
"close": "Зачыніць",
"close_command_palette": "Закрыць панэль каманд",
"close_current_tab": "Зачыніць бягучую ўкладку",
"cloud": "Воблака",
"cloud_drives": "Воблачныя дыскі",
"cloud_sync": "Воблачная сінхранізацыя",
"cloud_sync_description": "Кіруйце працэсамі, якія сінхранізуюць вашу бібліятэку з Spacedrive Cloud",
"clouds": "Воблачныя схов.",
"code": "Код",
"collection": "Калекцыя",
"color": "Колер",
"color_profile": "Каляровы профіль",
"color_space": "Каляровая прастора",
"coming_soon": "Хутка з'явіцца",
"contains": "змяшчае",
"completed": "Завершана",
"completed_with_errors": "Выканана з памылкамі",
"compress": "Сціснуць",
"config": "Канфігурацыя",
"config": "Канфіг",
"configure_location": "Наладзіць лакацыі",
"confirm": "Пацвердзіць",
"connect_cloud": "Падключыць воблака",
@ -78,6 +92,7 @@
"connected": "Падключана",
"contacts": "Кантакты",
"contacts_description": "Кіруйце кантактамі ў Spacedrive.",
"contains": "змяшчае",
"content_id": "ID змесціва",
"continue": "Працягнуць",
"convert_to": "Ператварыць у",
@ -112,8 +127,9 @@
"cut_object": "Выразаць аб'ект",
"cut_success": "Элементы выразаны",
"dark": "Цёмная",
"database": "База дадзеных",
"data_folder": "Папка з дадзенымі",
"database": "База дадзеных",
"date": "Дата",
"date_accessed": "Дата доступу",
"date_created": "Дата стварэння",
"date_indexed": "Дата індэксавання",
@ -124,15 +140,6 @@
"debug_mode": "Рэжым адладкі",
"debug_mode_description": "Уключыце дадатковыя функцыі адладкі ў дадатку.",
"default": "Стандартны",
"descending": "Па змяншэнні",
"random": "Выпадковы",
"ipv4_listeners_error": "Памылка пры стварэнні слухачоў IPv4. Калі ласка, праверце наладкі брандмаўэра!",
"ipv4_ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv4 і IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"ipv6": "Сетка IPv6",
"ipv6_description": "Дазволіць аднарангавыя сувязі з выкарыстаннем сеткі IPv6.",
"ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"is": "гэта",
"is_not": "не",
"default_settings": "Налады па змаўчанні",
"delete": "Выдаліць",
"delete_dialog_title": "Выдаліць {{type}} ({{prefix}})",
@ -148,16 +155,18 @@
"delete_tag": "Выдаліць тэг",
"delete_tag_description": "Вы ўпэўнены, што хочаце выдаліць гэты тэг? Гэта дзеянне няможна скасаваць, і тэгнутые файлы будуць адлучаны.",
"delete_warning": "Гэта дзеянне выдаліць {{type}}. У дадзены момант гэта дзеянне немагчыма адмяніць. Калі перамясціць у сметніцу, вы зможаце аднавіць {{type}} пазней.",
"descending": "Па змяншэнні",
"description": "Апісанне",
"deselect": "Скасаваць выбар",
"details": "Падрабязней",
"device": "Прылада",
"devices": "Прылады",
"devices_coming_soon_tooltip": "Хутка будзе! Гэта альфа-версія не ўлучае сінхранізацыі бібліятэк, яна будзе гатова вельмі хутка.",
"dialog": "Дыялогавае акно",
"dialog_shortcut_description": "Выкананне дзеянняў і аперацый",
"direction": "Парадак",
"directory": "дырэкторыю",
"directories": "дырэкторыі",
"directory": "дырэкторыю",
"disabled": "Адключана",
"disconnected": "Адключан",
"display_formats": "Фарматы адлюстравання",
@ -166,12 +175,13 @@
"do_the_thing": "Зрабіць справу",
"document": "Дакумент",
"done": "Гатова",
"dont_show_again": "Не паказваць ізноў",
"dont_have_any": "Падобна, у вас іх няма!",
"dont_show_again": "Не паказваць ізноў",
"dotfile": "Dot-файл",
"double_click_action": "Дзеянне на падвойны клік",
"download": "Спампаваць",
"downloading_update": "Загрузка абнаўлення",
"drag_to_resize": "Перац. для змены памеру",
"duplicate": "Дубляваць",
"duplicate_object": "Дубляваць аб'ект",
"duplicate_success": "Элементы падвоены",
@ -182,12 +192,9 @@
"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": "Разрешите другим узлам напрамую падключыць да гэтага узлу.",
"enable_sync": "Уключыць сінхранізацыю",
"enable_sync_description": "Стварыце аперацыі сінхранізацыі для ўсіх існуючых даных у гэтай бібліятэцы і наладзьце Spacedrive для стварэння аперацый сінхранізацыі, калі нешта адбудзецца ў будучыні.",
"enabled": "Уключана",
"encrypt": "Зашыфраваць",
"encrypt_library": "Зашыфраваць бібліятэку",
"encrypt_library_coming_soon": "Шыфраванне бібліятэкі хутка з'явіцца",
@ -203,6 +210,7 @@
"error": "Памылка",
"error_loading_original_file": "Памылка пры загрузцы выточнага файла",
"error_message": "Памылка: {{error}}.",
"executable": "Выканаўчы файл",
"expand": "Разгарнуць",
"explorer": "Праваднік",
"explorer_settings": "Налады правадніка",
@ -212,11 +220,11 @@
"export_library": "Экспарт бібліятэкі",
"export_library_coming_soon": "Экспарт бібліятэкі хутка стане магчымым",
"export_library_description": "Экспартуйце гэту бібліятэку ў файл.",
"executable": "Выканаўчы файл",
"extension": "Пашырэнне",
"extensions": "Пашырэнні",
"extensions_description": "Устанавіце пашырэнні, каб пашырыць функцыйнасць гэтага кліента.",
"fahrenheit": "Фарэнгейт",
"failed": "Не выканана",
"failed_to_add_location": "Не атрымалася дадаць лакацыю",
"failed_to_cancel_job": "Не атрымалася скасаваць заданне.",
"failed_to_clear_all_jobs": "Не атрымалася выканаць усе заданні.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Не атрымалася згенераваць ярлык",
"failed_to_generate_thumbnails": "Не атрымалася згенераваць мініяцюры",
"failed_to_load_tags": "Не атрымалася загрузіць тэгі",
"failed_to_open_file_title": "Не атрымалася адкрыць файл",
"failed_to_open_file_body": "Не атрымалася адкрыць файл з-за памылкі: {{error}}",
"failed_to_open_file_title": "Не атрымалася адкрыць файл",
"failed_to_open_file_with": "Не атрымалася адкрыць файл пры дапамозе: {{data}}",
"failed_to_pause_job": "Не атрымалася прыпыніць заданне.",
"failed_to_reindex_location": "Не атрымалася пераіндэксаваць лакацыю",
@ -250,17 +258,21 @@
"feedback_toast_error_message": "Пры адпраўленні вашага фідбэку адбылася абмыла. Калі ласка, паспрабуйце яшчэ раз.",
"file": "файл",
"file_already_exist_in_this_location": "Файл ужо існуе ў гэтай лакацыі",
"file_directory_name": "Імя файла/папкі",
"file_extension_description": "Пашырэнне файла (напрыклад, .mp4, .jpg, .txt)",
"file_from": "Файл {{file}} з {{name}}",
"file_indexing_rules": "Правілы індэксацыі файлаў",
"file_picker_not_supported": "Сістэма выбару файлаў не падтрымліваецца на гэтай платформе",
"files": "файлы",
"filter": "Фільтр",
"filters": "Фільтры",
"flash": "Успышка",
"folder": "Папка",
"font": "Шрыфт",
"for_library": "Для бібліятэкі {{name}}",
"forced": "Прымусовая",
"forward": "Наперад",
"free_of": "сваб. з",
"free_of": "свабодна з",
"from": "з",
"full_disk_access": "Поўны доступ да дыска",
"full_disk_access_description": "Для забеспячэння найлепшай якасці працы нам патрэбен доступ да вашага дыска, каб індэксаваць вашы файлы. Вашы файлы даступныя толькі вам.",
@ -272,6 +284,7 @@
"general_shortcut_description": "Агульныя спалучэнні клавіш",
"generatePreviewMedia_label": "Стварыце папярэдні прагляд медыяфайлаў для гэтай лакацыі",
"generate_checksums": "Генерацыя кантрольных сум",
"glob_description": "Шаблон (напрыклад, **/.git)",
"go_back": "Назад",
"go_to_labels": "Перайсці да ярлыкоў",
"go_to_location": "Перайсці да лакацыі",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Схаваць у бакавой панэлі",
"hide_in_sidebar_description": "Забараніце адлюстраванне гэтага тэга ў бакавой панэлі.",
"hide_location_from_view": "Схаваць лакацыю і змесціва з выгляду",
"hide_sidebar": "Схаваць бакавую панэль",
"home": "Галоўная",
"hosted_locations": "Размешчаныя лакацыі",
"hosted_locations_description": "Дапоўніце лакальнае сховішча нашым воблакам!",
@ -304,18 +318,32 @@
"indexer_rule_reject_allow_label": "Па змаўчанні правіла індэксатара працуе як спіс адхіленых, у выніку чаго выключаюцца кожныя файлы, што адпавядаюць яго крытэрам. Улучэнне гэтага параметра ператворыць яго ў спіс дазволеных, дазваляючы лакацыі індэксаваць толькі файлы, што адпавядаюць зададзеным правілам.",
"indexer_rules": "Правілы індэксатара",
"indexer_rules_error": "Памылка пры выманні правіл індэксатара",
"indexer_rules_not_available": "Няма даступных правілаў індэксацыі",
"indexer_rules_info": "Правілы індэксатара дазваляюць паказваць шляхі для ігнаравання з дапамогай шаблонаў.",
"indexer_rules_not_available": "Няма даступных правілаў індэксацыі",
"ingester": "Прыёмнік",
"ingester_description": "Гэты працэс прымае атрыманыя воблачныя аперацыі і адпраўляе іх у асноўны прыёмнік сінхранізацыі.",
"injester_description": "Сінхранізацыя паміж P2P-злучэннямі, Spacedrive Cloud і бібліятэкай.",
"install": "Устанавіць",
"install_update": "Устанавіць абнаўленне",
"installed": "Устаноўлена",
"invalid_extension": "Няправільнае пашырэнне",
"invalid_glob": "Няверны шаблон",
"invalid_name": "Няправільнае імя",
"invalid_path": "Няправільны шлях",
"ipv4_ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv4 і IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"ipv4_listeners_error": "Памылка пры стварэнні слухачоў IPv4. Калі ласка, праверце наладкі брандмаўэра!",
"ipv6": "Сетка IPv6",
"ipv6_description": "Дазволіць аднарангавыя сувязі з выкарыстаннем сеткі IPv6.",
"ipv6_listeners_error": "Памылка пры стварэнні слухачоў IPv6. Калі ласка, праверце наладкі брандмаўэра!",
"is": "гэта",
"is_not": "не",
"item": "элемент",
"item_size": "Памер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} элементаў",
"item_with_count_few": "{{count}} элемента",
"item_with_count_many": "{{count}} элементаў",
"item_with_count_other": "{{count}} элементаў",
"item_with_count_one": "{{count}} элемент",
"items": "элементы",
"job_error_description": "Заданне выканана з памылкамі. \nДля атрымання дадатковай інфармацыі глядзіце журнал памылак ніжэй. \nКалі вам патрэбна дапамога, звярніцеся ў службу падтрымкі і ўкажыце гэту памылку.",
"job_has_been_canceled": "Заданне скасавана.",
"job_has_been_paused": "Заданне было прыпынена.",
"job_has_been_removed": "Заданне было выдалена",
@ -332,9 +360,9 @@
"keys": "Ключы",
"kilometers": "Кіламетры",
"kind": "Тып",
"kind_one": "Тып",
"kind_few": "Тыпа",
"kind_many": "Тыпаў",
"kind_one": "Тып",
"label": "Ярлык",
"labels": "Ярлыкі",
"language": "Мова",
@ -345,6 +373,8 @@
"libraries": "Бібліятэкі",
"libraries_description": "База дадзеных утрымвае ўсе дадзеныя бібліятэк і метададзеныя файлаў.",
"library": "Бібліятэка",
"library_bytes": "Памер бібліятэкі",
"library_bytes_description": "Агульны памер усіх лакацый у вашай бібліятэцы.",
"library_db_size": "Памер індэкса",
"library_db_size_description": "Памер базы даных бібліятэкі.",
"library_name": "Назва бібліятэкі",
@ -360,14 +390,14 @@
"local_locations": "Лакальныя лакацыі",
"local_node": "Лакальны вузел",
"location": "Лакацыя",
"location_one": "Лакацыя",
"location_few": "Лакацыі",
"location_many": "Лакацый",
"location_connected_tooltip": "Лакацыя правяраецца на змены",
"location_disconnected_tooltip": "Лакацыя не правяраецца на змены",
"location_display_name_info": "Імя гэтага месцазнаходжання, якое будзе адлюстроўвацца на бакавой панэлі. Гэта дзеянне не пераназаве фактычнай тэчкі на дыску.",
"location_empty_notice_message": "Файлы не знойдзены",
"location_few": "Лакацыі",
"location_is_already_linked": "Лакацыя ўжо прывязана",
"location_many": "Лакацый",
"location_one": "Лакацыя",
"location_path_info": "Шлях да гэтай лакацыі, дзе файлы будуць захоўвацца на дыску.",
"location_type": "Тып лакацыі",
"location_type_managed": "Spacedrive адсартуе файлы для вас. Калі лакацыя не пустая, будзе створана тэчка \"spacedrive\".",
@ -376,6 +406,7 @@
"locations": "Лакацыі",
"locations_description": "Кіруйце вашымі лакацыямі.",
"lock": "Заблакаваць",
"lock_sidebar": "Бакавая панэль заблакаваць",
"log_in": "Увайсці",
"log_in_with_browser": "Увайдзіце ў сістэму з дапамогай браўзара",
"log_out": "Выйсці з сістэмы",
@ -393,6 +424,7 @@
"mesh": "Ячэйка",
"miles": "Мілі",
"mode": "Рэжым",
"model": "Мадэль",
"modified": "Зменены",
"more": "Падрабязней",
"more_actions": "Дадатковыя дзеянні...",
@ -428,27 +460,33 @@
"new_update_available": "Новая абнаўленне даступна!",
"no_apps_available": "Няма даступных прыкладанняў",
"no_favorite_items": "Няма абраных файлаў",
"no_git": "Няма Git",
"no_hidden": "Няма схаваных",
"no_items_found": "Нічога не знойдзена",
"no_jobs": "Няма заданняў.",
"no_labels": "Няма ярлыкоў",
"no_nodes_found": "Вузлы Spacedrive не знойдзены.",
"no_os_protected": "Без абароны АС",
"no_search_selected": "Пошук не зададзены",
"no_tag_selected": "Тэг не абраны",
"no_tags": "Няма тэгаў",
"no_tags_description": "Вы не стварылі ніводнага тэга",
"no_search_selected": "Пошук не зададзены",
"node_name": "Імя вузла",
"nodes": "Вузлы",
"nodes_description": "Кіраванне вузламі, падлучанымі да гэтай бібліятэкі. Вузел - гэта асобнік бэкэнда Spacedrive, што працуе на прыладзе ці серверы. Кожны вузел мае сваю копію базы дадзеных і сінхранізуецца праз аднарангавыя злучэнні ў рэжыме рэальнага часу.",
"none": "Не абрана",
"normal": "Нармальны",
"note": "Нататка",
"not_you": "Не вы?",
"note": "Нататка",
"nothing_selected": "Нічога не абрана",
"number_of_passes": "# пропускаў",
"object": "Аб'ект",
"object_id": "ID аб'екта",
"off": "Выключана",
"offline": "Афлайн",
"on": "Уключана",
"online": "Анлайн",
"only_images": "Толькі выявы",
"open": "Адкрыць",
"open_file": "Адкрыць файл",
"open_in_new_tab": "Адкрыць у новай укладцы",
@ -462,6 +500,11 @@
"opening_trash": "Адкрываем сметніцу",
"or": "Ці",
"overview": "Агляд",
"p2p_visibility": "Бачнасць P2P",
"p2p_visibility_contacts_only": "Толькі кантакты",
"p2p_visibility_description": "Наладзьце, хто можа бачыць вас ўнутры Spacedrive.",
"p2p_visibility_disabled": "Адключана",
"p2p_visibility_everyone": "Усе",
"package": "Пакет",
"page": "Старонка",
"page_shortcut_description": "Розныя старонкі ў дадатку",
@ -476,6 +519,7 @@
"path_to_save_do_the_thing": "Шлях для захавання пры націску кнопкі 'Зрабіць справу':",
"paths": "Шляхі",
"pause": "Паўза",
"paused": "Прыпынена",
"peers": "Удзельнікі",
"people": "Людзі",
"pin": "Замацаваць",
@ -485,9 +529,13 @@
"preview_media_bytes_description": "Агульны памер усіх медыяфайлаў папярэдняга прагляду (мініяцюры і інш.).",
"privacy": "Прыватнасць",
"privacy_description": "Spacedrive створаны для забеспячэння прыватнасці, таму ў нас адкрыты выточны код і лакальны падыход. Таму мы выразна паказваем, якія дадзеныя перадаюцца нам.",
"queued": "У чарзе",
"quick_preview": "Хуткі прагляд",
"quick_rescan_started": "Пачата хуткае сканіраванне",
"quick_view": "Хуткі прагляд",
"random": "Выпадковы",
"receiver": "Атрымальнік",
"receiver_description": "Гэты працэс атрымлівае і захоўвае аперацыі з Spacedrive Cloud.",
"recent_jobs": "Нядаўнія заданні",
"recents": "Нядаўняе",
"recents_notice_message": "Нядаўнія ствараюцца пры адкрыцці файла.",
@ -498,6 +546,8 @@
"reject": "Адхіліць",
"reject_files": "Адхіліць файлы",
"reload": "Перазагрузіць",
"remote_access": "Уключыць выдалены доступ",
"remote_access_description": "Разрешите другим узлам напрамую падключыць да гэтага узлу.",
"remove": "Выдаліць",
"remove_from_recents": "Выдаліць з нядаўніх",
"rename": "Перайменаваць",
@ -511,6 +561,7 @@
"reset_confirmation": "Вы ўпэўненыя, што хочаце скінуць наладкі Spacedrive? Ваша база дадзеных будзе выдалена.",
"reset_to_continue": "Мы выявілі, што вы стварылі бібліятэку з дапамогай старой версіі Spacedrive. Калі ласка, скіньце наладкі, каб працягнуць працу з дадаткам!",
"reset_warning": "ВЫ СТРАЦІЦЕ УСЕ ІСНУЮЧЫЯ ДАДЗЕНЫЯ SPACEDRIVE!",
"resolution": "Раздзяленне",
"resources": "Рэсурсы",
"restore": "Аднавіць",
"resume": "Аднавіць",
@ -532,10 +583,12 @@
"secure_delete": "Бяспечнае выдаленне",
"security": "Бяспека",
"security_description": "Гарантуйце бяспеку вашага кліента.",
"see_more": "Паказаць больш",
"see_less": "Паказаць менш",
"see_more": "Паказаць больш",
"send": "Адправіць",
"send_report": "Адправіць справаздачу",
"sender": "Адпраўшчык",
"sender_description": "Гэты працэс адпраўляе аперацыі сінхранізацыі ў Spacedrive Cloud.",
"settings": "Налады",
"setup": "Наладзіць",
"share": "Падзяліцца",
@ -553,23 +606,36 @@
"show_slider": "Паказаць паўзунок",
"size": "Памер",
"size_b": "Б",
"size_bs": "Б",
"size_gb": "ГБ",
"size_gbs": "ГБ",
"size_kb": "КБ",
"size_kbs": "КБ",
"size_mb": "МБ",
"size_mbs": "МБ",
"size_tb": "ТБ",
"size_tbs": "ТБ",
"skip_login": "Прапусціць уваход",
"software": "Версія ПЗ",
"sort_by": "Сартаваць па",
"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",
"start": "Пачаць",
"starting": "Пачынаем...",
"starts_with": "пачынаецца з",
"stop": "Спыніць",
"stopping": "Спыняем..",
"success": "Поспех",
"support": "Падтрымка",
"switch_to_grid_view": "Пераключэнне ў рэжым прагляду сеткай",
@ -577,19 +643,23 @@
"switch_to_media_view": "Пераключэнне ў рэжым прагляду галерэяй",
"switch_to_next_tab": "Пераключэнне на наступную ўкладку",
"switch_to_previous_tab": "Пераключэнне на папярэднюю ўкладку",
"sync": "Сінхранізаваць",
"sync": "Сінхранізацыя",
"syncPreviewMedia_label": "Сінхранізуйце медыяфайлы папярэдняга прагляду для гэтай лакацыі з вашымі прыладамі",
"sync_description": "Кіруйце сінхранізацыяй Spacedrive.",
"sync_with_library": "Сінхранізацыя з бібліятэкай",
"sync_with_library_description": "Калі гэта опцыя ўлучана, вашы прывязаныя клавішы будуць сінхранізаваны з бібліятэкай, у адваротным выпадку яны будуць ужывацца толькі да гэтага кліента.",
"system": "Сістэмная",
"system": "Сістэма",
"tag": "Тэг",
"tag_one": "Тэг",
"tag_few": "Тэга",
"tag_many": "Тэгаў",
"tag_one": "Тэг",
"tags": "Тэгі",
"tags_description": "Кіруйце сваімі тэгамі.",
"tags_notice_message": "Гэтаму тэгу не прысвоена ні аднаго элемента.",
"task": "задача",
"task_few": "задачы",
"task_many": "задач",
"task_one": "задача",
"telemetry_description": "Уключыце, каб падаць распрацоўнікам дэталёвыя дадзеныя пра выкарыстанне і тэлеметрыю для паляпшэння дадатку. Выключыце, каб адпраўляць толькі асноўныя дадзеныя: статус актыўнасці, версію дадатку, версію ядра і платформу (прыкладам, мабільную, ўэб- ці настольную).",
"telemetry_title": "Падаванне дадатковай тэлеметрыi і дадзеных пра выкарыстанне",
"temperature": "Тэмпература",
@ -610,11 +680,6 @@
"toggle_path_bar": "Адкрыць адрасны радок",
"toggle_quick_preview": "Адкрыць перадпрагляд",
"toggle_sidebar": "Пераключыць бакавую панэль",
"lock_sidebar": "Бакавая панэль заблакаваць",
"hide_sidebar": "Схаваць бакавую панэль",
"drag_to_resize": "Перац. для змены памеру",
"click_to_hide": "Націсніце, каб схаваць",
"click_to_lock": "Націсніце, каб заблакаваць",
"tools": "Інструменты",
"total_bytes_capacity": "Агульная ёмістасць",
"total_bytes_capacity_description": "Агульная ёмістасць усіх вузлоў, падключаных да бібліятэкі. Можа паказваць няслушныя значэнні падчас альфа-тэставанні.",
@ -626,8 +691,8 @@
"type": "Тып",
"ui_animations": "UI Анімацыі",
"ui_animations_description": "Дыялогавыя вокны і іншыя элементы карыстацкага інтэрфейсу будуць анімавацца пры адкрыцці і зачыненні.",
"unnamed_location": "Безназоўная лакацыя",
"unknown": "Невядомы",
"unnamed_location": "Безназоўная лакацыя",
"update": "Абнаўленне",
"update_downloaded": "Абнаўленне загружана. Перазагрузіце Spacedrive для усталявання",
"updated_successfully": "Паспяхова абнавіліся, вы на версіі {{version}}",
@ -638,12 +703,13 @@
"vaccum_library": "Вакуум бібліятэкі",
"vaccum_library_description": "Перапакуйце базу дадзеных, каб вызваліць непатрэбную прастору.",
"value": "Значэнне",
"value_required": "Патрабуецца значэнне",
"version": "Версія {{version}}",
"video": "Відэа",
"video_preview_not_supported": "Папярэдні прагляд відэа не падтрымваецца.",
"view_changes": "Праглядзець змены",
"want_to_do_this_later": "Жадаеце зрабіць гэта пазней?",
"web_page_archive": "Архіў вэб-старонак",
"web_page_archive": "Архіў вэб-старонкі",
"website": "Вэб-сайт",
"widget": "Віджэт",
"with_descendants": "С потомками",
@ -651,6 +717,7 @@
"your_account_description": "Уліковы запіс Spacedrive і інфармацыя.",
"your_local_network": "Ваша лакальная сетка",
"your_privacy": "Ваша прыватнасць",
"zoom": "Павелічэнне",
"zoom_in": "Павялічыць",
"zoom_out": "Змяншэння"
}

View file

@ -9,6 +9,7 @@
"actions": "Aktionen",
"add": "Hinzufügen",
"add_device": "Gerät hinzufügen",
"add_file_extension_rule": "Fügen Sie der aktuellen Regel eine Dateierweiterung hinzu",
"add_filter": "Filter hinzufügen",
"add_library": "Bibliothek hinzufügen",
"add_location": "Standort hinzufügen",
@ -19,6 +20,7 @@
"add_tag": "Tag hinzufügen",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Fortschrittlich",
"advanced_settings": "Erweiterte Einstellungen",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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": "Bist du sicher?",
"ask_spacedrive": "Frag Spacedrive",
"ascending": "Aufsteigend",
"ask_spacedrive": "Frag Spacedrive",
"assign_tag": "Tag zuweisen",
"audio": "Audio",
"audio_preview_not_supported": "Audio-Vorschau wird nicht unterstützt.",
"auto": "Auto",
"back": "Zurück",
"backfill_sync": "Synchronisierungsvorgänge auffüllen",
"backfill_sync_description": "Die Bibliothek wird angehalten, bis der Backfill abgeschlossen ist",
"backups": "Backups",
"backups_description": "Verwalte deine Spacedrive-Datenbank-Backups.",
"bitrate": "Bitrate",
"blur_effects": "Weichzeichnereffekte",
"blur_effects_description": "Einigen Komponenten wird ein Weichzeichnungseffekt angewendet.",
"book": "Book",
"cancel": "Abbrechen",
"cancel_selection": "Auswahl abbrechen",
"canceled": "Abgesagt",
"celcius": "Celsius",
"change": "Ändern",
"change_view_setting_description": "Ändere die Standard-Exploreransicht",
@ -55,18 +62,25 @@
"changelog_page_title": "Änderungsprotokoll",
"checksum": "Prüfsumme",
"clear_finished_jobs": "Beendete Aufgaben entfernen",
"click_to_hide": "Zum Ausblenden klicken",
"click_to_lock": "Zum Sperren klicken",
"client": "Client",
"close": "Schließen",
"close_command_palette": "Befehlspalette schließen",
"close_current_tab": "Aktuellen Tab schließen",
"cloud": "Cloud",
"cloud_drives": "Cloud-Laufwerke",
"cloud_sync": "Cloud-Synchronisierung",
"cloud_sync_description": "Verwalten Sie die Prozesse, die Ihre Bibliothek mit Spacedrive Cloud synchronisieren",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Farbe",
"color_profile": "Farbprofil",
"color_space": "Farbraum",
"coming_soon": "Demnächst",
"contains": "enthält",
"completed": "Vollendet",
"completed_with_errors": "Mit Fehlern abgeschlossen",
"compress": "Komprimieren",
"config": "Config",
"configure_location": "Standort konfigurieren",
@ -78,6 +92,7 @@
"connected": "Verbunden",
"contacts": "Kontakte",
"contacts_description": "Verwalte deine Kontakte in Spacedrive.",
"contains": "enthält",
"content_id": "Inhalts-ID",
"continue": "Fortfahren",
"convert_to": "Umwandeln in",
@ -112,8 +127,9 @@
"cut_object": "Objekt ausschneiden",
"cut_success": "Elemente ausschneiden",
"dark": "Dunkel",
"database": "Database",
"data_folder": "Datenordner",
"database": "Database",
"date": "Datum",
"date_accessed": "Datum zugegriffen",
"date_created": "Datum erstellt",
"date_indexed": "Datum der Indexierung",
@ -124,15 +140,6 @@
"debug_mode": "Debug-Modus",
"debug_mode_description": "Zusätzliche Debugging-Funktionen in der App aktivieren.",
"default": "Standard",
"descending": "Absteigend",
"random": "Zufällig",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6-Netzwerk",
"ipv6_description": "Ermögliche Peer-to-Peer-Kommunikation über IPv6-Netzwerke",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "ist",
"is_not": "ist nicht",
"default_settings": "Standardeinstellungen",
"delete": "Löschen",
"delete_dialog_title": "{{prefix}} {{type}} löschen",
@ -148,16 +155,18 @@
"delete_tag": "Tag löschen",
"delete_tag_description": "Bist du sicher, dass du diesen Tag löschen möchtest? Dies kann nicht rückgängig gemacht werden, und getaggte Dateien werden nicht mehr verlinkt.",
"delete_warning": "Dies wird deine {{type}} für immer löschen, wir haben noch keinen Papierkorb...",
"descending": "Absteigend",
"description": "Beschreibung",
"deselect": "Abwählen",
"details": "Details",
"device": "Gerät",
"devices": "Geräte",
"devices_coming_soon_tooltip": "Demnächst verfügbar! Diese Alpha-Version beinhaltet noch keinen Bibliothekssync, dieser wird aber sehr bald bereit sein.",
"dialog": "Dialog",
"dialog_shortcut_description": "Um Aktionen und Operationen auszuführen",
"direction": "Richtung",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Deaktiviert",
"disconnected": "Getrennt",
"display_formats": "Anzeigeformate",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Fertig",
"dont_show_again": "Nicht wieder anzeigen",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "Nicht wieder anzeigen",
"dotfile": "Dotfile",
"double_click_action": "Doppelklick-Aktion",
"download": "Herunterladen",
"downloading_update": "Update wird heruntergeladen",
"drag_to_resize": "Zum Ändern der Größe ziehen",
"duplicate": "Duplizieren",
"duplicate_object": "Objekt duplizieren",
"duplicate_success": "Elemente dupliziert",
@ -182,12 +192,9 @@
"enable_networking": "Netzwerk aktivieren",
"enable_networking_description": "Ermögliche deinem Knoten die Kommunikation mit anderen Spacedrive-Knoten in deiner 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": "Aktiviere den Fernzugriff",
"remote_access_description": "Ermögliche anderen Knoten, eine direkte Verbindung zu diesem Knoten herzustellen.",
"enable_sync": "Aktivieren Sie die Synchronisierung",
"enable_sync_description": "Generieren Sie Synchronisierungsvorgänge für alle vorhandenen Daten in dieser Bibliothek und konfigurieren Sie Spacedrive so, dass bei zukünftigen Ereignissen Synchronisierungsvorgänge generiert werden.",
"enabled": "Ermöglicht",
"encrypt": "Verschlüsseln",
"encrypt_library": "Bibliothek verschlüsseln",
"encrypt_library_coming_soon": "Verschlüsselung der Bibliothek kommt bald",
@ -203,6 +210,7 @@
"error": "Fehler",
"error_loading_original_file": "Fehler beim Laden der Originaldatei",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Erweitern",
"explorer": "Explorer",
"explorer_settings": "Explorer-Einstellungen",
@ -212,11 +220,11 @@
"export_library": "Bibliothek exportieren",
"export_library_coming_soon": "Bibliotheksexport kommt bald",
"export_library_description": "Diese Bibliothek in eine Datei exportieren.",
"executable": "Executable",
"extension": "Erweiterung",
"extensions": "Erweiterungen",
"extensions_description": "Installiere Erweiterungen, um die Funktionalität dieses Clients zu erweitern.",
"fahrenheit": "Fahrenheit",
"failed": "Fehlgeschlagen",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Aufgabe konnte nicht abgebrochen werden.",
"failed_to_clear_all_jobs": "Alle Aufgaben konnten nicht gelöscht werden.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Labels konnten nicht generiert werden",
"failed_to_generate_thumbnails": "Vorschaubilder konnten nicht generiert werden",
"failed_to_load_tags": "Tags konnten nicht geladen werden",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Aufgabe konnte nicht pausiert werden.",
"failed_to_reindex_location": "Neuindizierung des Standorts fehlgeschlagen",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Beim Senden deines Feedbacks ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"file": "file",
"file_already_exist_in_this_location": "Die Datei existiert bereits an diesem Speicherort",
"file_directory_name": "Datei-/Verzeichnisname",
"file_extension_description": "Dateierweiterung (z. B. .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Dateiindizierungsregeln",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "Filter",
"flash": "Blitz",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Gezwungen",
"forward": "Vorwärts",
"free_of": "frei von",
"from": "von",
@ -272,6 +284,7 @@
"general_shortcut_description": "Allgemeine Verknüpfungen",
"generatePreviewMedia_label": "Vorschaumedien für diesen Standort generieren",
"generate_checksums": "Prüfsummen erstellen",
"glob_description": "Glob (z. B. **/.git)",
"go_back": "Zurück gehen",
"go_to_labels": "Gehe zu den Labels",
"go_to_location": "Gehen zum Standort",
@ -290,6 +303,7 @@
"hide_in_sidebar": "In der Seitenleiste verstecken",
"hide_in_sidebar_description": "Verhindern, dass dieser Tag in der Seitenleiste der App angezeigt wird.",
"hide_location_from_view": "Standort und Inhalte aus der Ansicht ausblenden",
"hide_sidebar": "Seitenleiste ausblenden",
"home": "Startseite",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,16 +318,31 @@
"indexer_rule_reject_allow_label": "Standardmäßig fungiert eine Indizierungsregel als Ablehnungsliste, wodurch alle Dateien ausgeschlossen werden, die Deinen Kriterien entsprechen. Wenn diese Option aktiviert wird, verwandelt sie sich in eine Erlaubnisliste und lässt den Standort nur Dateien indizieren, die deinen spezifischen Regeln entsprechen.",
"indexer_rules": "Indizierungsregeln",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Indizierungsregeln ermöglichen es Ihnen, Pfade zu ignorieren, indem du Glob-Muster verwendest.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Ingester",
"ingester_description": "Dieser Prozess nimmt empfangene Cloud-Vorgänge entgegen und sendet sie an den Hauptsynchronisierungs-Ingester.",
"injester_description": "Dieser Prozess übernimmt Synchronisierungsvorgänge von P2P-Verbindungen und Spacedrive Cloud und wendet sie auf die Bibliothek an.",
"install": "Installieren",
"install_update": "Update installieren",
"installed": "Installiert",
"invalid_extension": "Ungültige Erweiterung",
"invalid_glob": "Ungültiger Globus",
"invalid_name": "Ungültiger Name",
"invalid_path": "Ungültigen Pfad",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6-Netzwerk",
"ipv6_description": "Ermögliche Peer-to-Peer-Kommunikation über IPv6-Netzwerke",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "ist",
"is_not": "ist nicht",
"item": "item",
"item_size": "Elementgröße",
"item_with_count_one": "{{count}} artikel",
"item_with_count_other": "{{count}} artikel",
"items": "items",
"job_error_description": "Der Job wurde mit Fehlern abgeschlossen. \nWeitere Informationen finden Sie im Fehlerprotokoll unten. \nWenn Sie Hilfe benötigen, wenden Sie sich bitte an den Support und geben Sie diesen Fehler an.",
"job_has_been_canceled": "Der Job wurde abgebrochen.",
"job_has_been_paused": "Der Job wurde pausiert.",
"job_has_been_removed": "Der Job wurde entfernt.",
@ -342,6 +371,8 @@
"libraries": "Bibliotheken",
"libraries_description": "Die Datenbank enthält alle Bibliotheksdaten und Dateimetadaten.",
"library": "Bibliothek",
"library_bytes": "Bibliotheksgröße",
"library_bytes_description": "Die Gesamtgröße aller Standorte in Ihrer Bibliothek.",
"library_db_size": "Indexgröße",
"library_db_size_description": "Die Größe der Bibliotheksdatenbank.",
"library_name": "Bibliotheksname",
@ -357,13 +388,13 @@
"local_locations": "Lokale Standorte",
"local_node": "Lokaler Knoten",
"location": "Standort",
"location_one": "Standort",
"location_other": "Standorte",
"location_connected_tooltip": "Der Standort wird auf Änderungen überwacht",
"location_disconnected_tooltip": "Die Position wird nicht auf Änderungen überwacht",
"location_display_name_info": "Der Name dieses Standorts, so wird er in der Seitenleiste angezeigt. Wird den eigentlichen Ordner auf der Festplatte nicht umbenennen.",
"location_empty_notice_message": "Hier wurden keine Dateien gefunden",
"location_is_already_linked": "Standort ist bereits verknüpft",
"location_one": "Standort",
"location_other": "Standorte",
"location_path_info": "Der Pfad zu diesem Standort, hier werden die Dateien auf der Festplatte gespeichert.",
"location_type": "Standorttyp",
"location_type_managed": "Spacedrive wird Dateien für Dich sortieren. Wenn der Standort nicht leer ist, wird ein \"spacedrive\" Ordner erstellt.",
@ -372,6 +403,7 @@
"locations": "Standorte",
"locations_description": "Verwalte deine Speicherstandorte.",
"lock": "Sperren",
"lock_sidebar": "Seitenleiste sperren",
"log_in": "Anmeldung",
"log_in_with_browser": "Mit Browser anmelden",
"log_out": "Abmelden",
@ -389,6 +421,7 @@
"mesh": "Mesh",
"miles": "Meilen",
"mode": "Modus",
"model": "Modell",
"modified": "Geändert",
"more": "Mehr",
"more_actions": "Mehr Aktionen...",
@ -424,27 +457,33 @@
"new_update_available": "Neues Update verfügbar!",
"no_apps_available": "No apps available",
"no_favorite_items": "Keine Lieblingsartikel",
"no_git": "Kein Git",
"no_hidden": "Nein versteckt",
"no_items_found": "Keine Elemente gefunden",
"no_jobs": "Keine Aufgaben.",
"no_labels": "Keine Etiketten",
"no_nodes_found": "Es wurden keine Spacedrive-Knoten gefunden.",
"no_os_protected": "Kein Betriebssystem geschützt",
"no_search_selected": "Keine Suche ausgewählt",
"no_tag_selected": "Kein Tag ausgewählt",
"no_tags": "Keine Tags",
"no_tags_description": "Du hast keine Tags erstellt",
"no_search_selected": "Keine Suche ausgewählt",
"node_name": "Knotenname",
"nodes": "Knoten",
"nodes_description": "Verwalte die Knoten, die mit dieser Bibliothek verbunden sind. Ein Knoten ist eine Instanz von Spacedrives Backend, die auf einem Gerät oder Server läuft. Jeder Knoten führt eine Kopie der Datenbank und synchronisiert über Peer-to-Peer-Verbindungen in Echtzeit.",
"none": "Keine",
"normal": "Normal",
"note": "Note",
"not_you": "Nicht Du?",
"note": "Note",
"nothing_selected": "Nichts ausgewählt",
"number_of_passes": "Anzahl der Durchläufe",
"object": "Objekt",
"object_id": "Objekt-ID",
"off": "Aus",
"offline": "Offline",
"on": "An",
"online": "Online",
"only_images": "Nur Bilder",
"open": "Öffnen",
"open_file": "Datei öffnen",
"open_in_new_tab": "In neuem Tab öffnen",
@ -458,6 +497,11 @@
"opening_trash": "Opening Trash",
"or": "Oder",
"overview": "Übersicht",
"p2p_visibility": "P2P-Sichtbarkeit",
"p2p_visibility_contacts_only": "Nur Kontakte",
"p2p_visibility_description": "Konfigurieren Sie, wer Ihre Spacedrive-Installation sehen kann.",
"p2p_visibility_disabled": "Deaktiviert",
"p2p_visibility_everyone": "Alle",
"package": "Package",
"page": "Seite",
"page_shortcut_description": "Verschiedene Seiten in der App",
@ -472,6 +516,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Pfade",
"pause": "Pausieren",
"paused": "Angehalten",
"peers": "Peers",
"people": "Personen",
"pin": "Stift",
@ -481,9 +526,13 @@
"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.",
"queued": "In Warteschlange",
"quick_preview": "Schnellvorschau",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Schnellansicht",
"random": "Zufällig",
"receiver": "Empfänger",
"receiver_description": "Dieser Prozess empfängt und speichert Vorgänge von Spacedrive Cloud.",
"recent_jobs": "Aktuelle Aufgaben",
"recents": "Zuletzt verwendet",
"recents_notice_message": "Aktuelle Dateien werden erstellt, wenn Du eine Datei öffnen.",
@ -494,6 +543,8 @@
"reject": "Ablehnen",
"reject_files": "Reject files",
"reload": "Neu laden",
"remote_access": "Aktiviere den Fernzugriff",
"remote_access_description": "Ermögliche anderen Knoten, eine direkte Verbindung zu diesem Knoten herzustellen.",
"remove": "Entfernen",
"remove_from_recents": "Aus den aktuellen Dokumenten entfernen",
"rename": "Umbenennen",
@ -507,6 +558,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Auflösung",
"resources": "Ressourcen",
"restore": "Wiederherstellen",
"resume": "Fortsetzen",
@ -528,10 +580,12 @@
"secure_delete": "Sicheres Löschen",
"security": "Sicherheit",
"security_description": "Halten deinen Client sicher.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Senden",
"send_report": "Send Report",
"sender": "Absender",
"sender_description": "Dieser Prozess sendet Synchronisierungsvorgänge an Spacedrive Cloud.",
"settings": "Einstellungen",
"setup": "Einrichten",
"share": "Teilen",
@ -549,23 +603,36 @@
"show_slider": "Slider anzeigen",
"size": "Größe",
"size_b": "B",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB",
"size_kb": "kB",
"size_kbs": "kBs",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "TB",
"size_tbs": "TBs",
"skip_login": "Anmeldung überspringen",
"software": "Software",
"sort_by": "Sortieren nach",
"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 Deinem 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",
"start": "Start",
"starting": "Beginnend...",
"starts_with": "beginnt mit",
"stop": "Stoppen",
"stopping": "Stoppen...",
"success": "Erfolg",
"support": "Unterstützung",
"switch_to_grid_view": "Zur Rasteransicht wechseln",
@ -585,6 +652,9 @@
"tags": "Tags",
"tags_description": "Verwalte deine Tags.",
"tags_notice_message": "Diesem Tag sind keine Elemente zugewiesen.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Schalte EIN, um den Entwicklern detaillierte Nutzung- und Telemetriedaten zur Verfügung zu stellen, die die App verbessern helfen. Schalten AUS, um nur grundlegende Daten zu senden: Deinen Aktivitätsstatus, die App-Version, die Core-Version und die Plattform (z.B. Mobil, Web oder Desktop).",
"telemetry_title": "Zusätzliche Telemetrie- und Nutzungsdaten teilen",
"temperature": "Temperatur",
@ -605,11 +675,6 @@
"toggle_path_bar": "Pfadleiste umschalten",
"toggle_quick_preview": "Schnellvorschau umschalten",
"toggle_sidebar": "Seitenleiste umschalten",
"lock_sidebar": "Seitenleiste sperren",
"hide_sidebar": "Seitenleiste ausblenden",
"drag_to_resize": "Zum Ändern der Größe ziehen",
"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.",
@ -621,8 +686,8 @@
"type": "Typ",
"ui_animations": "UI-Animationen",
"ui_animations_description": "Dialoge und andere UI-Elemente werden animiert, wenn sie geöffnet und geschlossen werden.",
"unnamed_location": "Unbenannter Standort",
"unknown": "Unknown",
"unnamed_location": "Unbenannter Standort",
"update": "Aktualisieren",
"update_downloaded": "Update heruntergeladen. Starte Spacedrive neu, um diese zu installieren",
"updated_successfully": "Erfolgreich aktualisiert, Du verwendest jetzt die neuste Version {{version}}",
@ -633,6 +698,7 @@
"vaccum_library": "Vakuumbibliothek",
"vaccum_library_description": "Packe deine Datenbank neu, um unnötigen Speicherplatz freizugeben.",
"value": "Wert",
"value_required": "Wert erforderlich",
"version": "Version {{version}}",
"video": "Video",
"video_preview_not_supported": "Videovorschau wird nicht unterstützt.",
@ -646,6 +712,7 @@
"your_account_description": "Spacedrive-Kontobeschreibung.",
"your_local_network": "Dein lokales Netzwerk",
"your_privacy": "Deine Privatsphäre",
"zoom": "Zoomen",
"zoom_in": "Hereinzoomen",
"zoom_out": "Hinauszoomen"
}

View file

@ -9,6 +9,7 @@
"actions": "Actions",
"add": "Add",
"add_device": "Add Device",
"add_file_extension_rule": "Add a file extension to the current rule",
"add_filter": "Add Filter",
"add_library": "Add Library",
"add_location": "Add Location",
@ -19,6 +20,7 @@
"add_tag": "Add Tag",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Advanced",
"advanced_settings": "Advanced settings",
"album": "Album",
"alias": "Alias",
@ -39,21 +41,25 @@
"assign_tag": "Assign tag",
"audio": "Audio",
"audio_preview_not_supported": "Audio preview is not supported.",
"auto": "Auto",
"back": "Back",
"backfill_sync": "Backfilling Sync Operations",
"backfill_sync_description": "Library is paused until backfill completes",
"backups": "Backups",
"backups_description": "Manage your Spacedrive database backups.",
"bitrate": "Bitrate",
"blur_effects": "Blur Effects",
"blur_effects_description": "Some components will have a blur effect applied to them.",
"book": "Book",
"cancel": "Cancel",
"cancel_selection": "Cancel selection",
"canceled": "Canceled",
"celcius": "Celsius",
"change": "Change",
"change_view_setting_description": "Change the default explorer view",
"changelog": "Changelog",
"changelog_page_description": "See what cool new features we're making",
"changelog_page_title": "Changelog",
"chapters": "Chapters",
"checksum": "Checksum",
"clear_finished_jobs": "Clear out finished jobs",
"click_to_hide": "Click to hide",
@ -64,11 +70,17 @@
"close_current_tab": "Close current tab",
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"cloud_sync": "Cloud Sync",
"cloud_sync_description": "Manage the processes that sync your library with Spacedrive Cloud",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Color",
"color_profile": "Color profile",
"color_space": "Color space",
"coming_soon": "Coming soon",
"completed": "Completed",
"completed_with_errors": "Completed with errors",
"compress": "Compress",
"config": "Config",
"configure_location": "Configure Location",
@ -117,6 +129,7 @@
"dark": "Dark",
"data_folder": "Data Folder",
"database": "Database",
"date": "Date",
"date_accessed": "Date Accessed",
"date_created": "Date Created",
"date_indexed": "Date Indexed",
@ -146,6 +159,7 @@
"description": "Description",
"deselect": "Deselect",
"details": "Details",
"device": "Device",
"devices": "Devices",
"devices_coming_soon_tooltip": "Coming soon! This alpha release doesn't include library sync, it will be ready very soon.",
"dialog": "Dialog",
@ -171,7 +185,6 @@
"duplicate": "Duplicate",
"duplicate_object": "Duplicate object",
"duplicate_success": "Items duplicated",
"duration": "Duration",
"edit": "Edit",
"edit_library": "Edit Library",
"edit_location": "Edit Location",
@ -179,6 +192,9 @@
"enable_networking": "Enable Networking",
"enable_networking_description": "Allow your node to communicate with other Spacedrive nodes around you.",
"enable_networking_description_required": "Required for library sync or Spacedrop!",
"enable_sync": "Enable Sync",
"enable_sync_description": "Generate sync operations for all the existing data in this library, and configure Spacedrive to generate sync operations when things happen in future.",
"enabled": "Enabled",
"encrypt": "Encrypt",
"encrypt_library": "Encrypt Library",
"encrypt_library_coming_soon": "Library encryption coming soon",
@ -208,6 +224,7 @@
"extensions": "Extensions",
"extensions_description": "Install extensions to extend the functionality of this client.",
"fahrenheit": "Fahrenheit",
"failed": "Failed",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Failed to cancel job.",
"failed_to_clear_all_jobs": "Failed to clear all jobs.",
@ -241,15 +258,19 @@
"feedback_toast_error_message": "There was an error submitting your feedback. Please try again.",
"file": "file",
"file_already_exist_in_this_location": "File already exists in this location",
"file_directory_name": "File/Directory name",
"file_extension_description": "File extension (e.g., .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "File indexing rules",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "Filters",
"flash": "Flash",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Forced",
"forward": "Forward",
"free_of": "free of",
"from": "from",
@ -263,6 +284,7 @@
"general_shortcut_description": "General usage shortcuts",
"generatePreviewMedia_label": "Generate preview media for this Location",
"generate_checksums": "Generate Checksums",
"glob_description": "Glob (e.g., **/.git)",
"go_back": "Go Back",
"go_to_labels": "Go to labels",
"go_to_location": "Go to location",
@ -298,9 +320,16 @@
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_info": "Indexer rules allow you to specify paths to ignore using globs.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Ingester",
"ingester_description": "This process takes received cloud operations and sends them to the main sync ingester.",
"injester_description": "This process takes sync operations from P2P connections and Spacedrive Cloud and applies them to the library.",
"install": "Install",
"install_update": "Install Update",
"installed": "Installed",
"invalid_extension": "Invalid extension",
"invalid_glob": "Invalid glob",
"invalid_name": "Invalid name",
"invalid_path": "Invalid path",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6 networking",
@ -313,6 +342,7 @@
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"items": "items",
"job_error_description": "The job completed with errors. Please see the error log below for more information. If you need help, please contact support and provide this error.",
"job_has_been_canceled": "Job has been canceled.",
"job_has_been_paused": "Job has been paused.",
"job_has_been_removed": "Job has been removed.",
@ -391,6 +421,7 @@
"mesh": "Mesh",
"miles": "Miles",
"mode": "Mode",
"model": "Model",
"modified": "Modified",
"more": "More",
"more_actions": "More actions...",
@ -426,10 +457,13 @@
"new_update_available": "New Update Available!",
"no_apps_available": "No apps available",
"no_favorite_items": "No favorite items",
"no_git": "No Git",
"no_hidden": "No Hidden",
"no_items_found": "No items found",
"no_jobs": "No jobs.",
"no_labels": "No labels",
"no_nodes_found": "No Spacedrive nodes were found.",
"no_os_protected": "No OS protected",
"no_search_selected": "No Search Selected",
"no_tag_selected": "No Tag Selected",
"no_tags": "No tags",
@ -445,8 +479,11 @@
"number_of_passes": "# of passes",
"object": "Object",
"object_id": "Object ID",
"off": "Off",
"offline": "Offline",
"on": "On",
"online": "Online",
"only_images": "Only Images",
"open": "Open",
"open_file": "Open File",
"open_in_new_tab": "Open in new tab",
@ -460,6 +497,11 @@
"opening_trash": "Opening Trash",
"or": "OR",
"overview": "Overview",
"p2p_visibility": "P2P Visibility",
"p2p_visibility_contacts_only": "Contacts Only",
"p2p_visibility_description": "Configure who can see your Spacedrive installation.",
"p2p_visibility_disabled": "Disabled",
"p2p_visibility_everyone": "Everyone",
"package": "Package",
"page": "Page",
"page_shortcut_description": "Different pages in the app",
@ -474,6 +516,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Paths",
"pause": "Pause",
"paused": "Paused",
"peers": "Peers",
"people": "People",
"pin": "Pin",
@ -483,10 +526,13 @@
"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.",
"queued": "Queued",
"quick_preview": "Quick Preview",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Quick view",
"random": "Random",
"receiver": "Receiver",
"receiver_description": "This process receives and stores operations from Spacedrive Cloud.",
"recent_jobs": "Recent Jobs",
"recents": "Recents",
"recents_notice_message": "Recents are created when you open a file.",
@ -512,6 +558,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Resolution",
"resources": "Resources",
"restore": "Restore",
"resume": "Resume",
@ -537,6 +584,8 @@
"see_more": "See more",
"send": "Send",
"send_report": "Send Report",
"sender": "Sender",
"sender_description": "This process sends sync operations to Spacedrive Cloud.",
"settings": "Settings",
"setup": "Set up",
"share": "Share",
@ -554,11 +603,17 @@
"show_slider": "Show slider",
"size": "Size",
"size_b": "B",
"size_bs": "Bs",
"size_gb": "GB",
"size_gbs": "GBs",
"size_kb": "kB",
"size_kbs": "kBs",
"size_mb": "MB",
"size_mbs": "MBs",
"size_tb": "TB",
"size_tbs": "TBs",
"skip_login": "Skip login",
"software": "Software",
"sort_by": "Sort by",
"spacedrive_account": "Spacedrive Account",
"spacedrive_cloud": "Spacedrive Cloud",
@ -571,16 +626,13 @@
"spacedrop_disabled": "Disabled",
"spacedrop_everyone": "Everyone",
"spacedrop_rejected": "Spacedrop rejected",
"p2p_visibility": "P2P Visibility",
"p2p_visibility_description": "Configure who can see your Spacedrive installation.",
"p2p_visibility_everyone": "Everyone",
"p2p_visibility_contacts_only": "Contacts Only",
"p2p_visibility_disabled": "Disabled",
"square_thumbnails": "Square Thumbnails",
"star_on_github": "Star on GitHub",
"start_time": "Start Time",
"start": "Start",
"starting": "Starting...",
"starts_with": "starts with",
"stop": "Stop",
"stopping": "Stopping...",
"success": "Success",
"support": "Support",
"switch_to_grid_view": "Switch to grid view",
@ -600,6 +652,9 @@
"tags": "Tags",
"tags_description": "Manage your tags.",
"tags_notice_message": "No items assigned to this tag.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Toggle ON to provide developers with detailed usage and telemetry data to enhance the app. Toggle OFF to send only basic data: your activity status, app version, core version, and platform (e.g., mobile, web, or desktop).",
"telemetry_title": "Share Additional Telemetry and Usage Data",
"temperature": "Temperature",
@ -643,6 +698,7 @@
"vaccum_library": "Vaccum Library",
"vaccum_library_description": "Repack your database to free up unnecessary space.",
"value": "Value",
"value_required": "Value required",
"version": "Version {{version}}",
"video": "Video",
"video_preview_not_supported": "Video preview is not supported.",
@ -656,6 +712,7 @@
"your_account_description": "Spacedrive account and information.",
"your_local_network": "Your Local Network",
"your_privacy": "Your Privacy",
"zoom": "Zoom",
"zoom_in": "Zoom In",
"zoom_out": "Zoom Out"
}

View file

@ -9,6 +9,7 @@
"actions": "Acciones",
"add": "Agregar",
"add_device": "Agregar Dispositivo",
"add_file_extension_rule": "Agregar una extensión de archivo a la regla actual",
"add_filter": "Añadir filtro",
"add_library": "Agregar Biblioteca",
"add_location": "Agregar ubicación",
@ -19,6 +20,7 @@
"add_tag": "Agregar Etiqueta",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Avanzado",
"advanced_settings": "Configuración avanzada",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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",
"ascending": "Ascendente",
"ask_spacedrive": "Pregúntale a SpaceDrive",
"assign_tag": "Asignar etiqueta",
"audio": "Audio",
"audio_preview_not_supported": "La previsualización de audio no está soportada.",
"auto": "Auto",
"back": "Atrás",
"backfill_sync": "Operaciones de sincronización de reabastecimiento",
"backfill_sync_description": "La biblioteca está en pausa hasta que se complete el reabastecimiento",
"backups": "Copias de seguridad",
"backups_description": "Administra tus copias de seguridad de la base de datos de Spacedrive.",
"bitrate": "tasa de bits",
"blur_effects": "Efectos de desenfoque",
"blur_effects_description": "Algunos componentes tendrán un efecto de desenfoque aplicado.",
"book": "book",
"cancel": "Cancelar",
"cancel_selection": "Cancelar selección",
"canceled": "Cancelado",
"celcius": "Celsius",
"change": "Cambiar",
"change_view_setting_description": "Cambiar la vista predeterminada del explorador",
@ -55,18 +62,25 @@
"changelog_page_title": "Registro de cambios",
"checksum": "Suma de verificación",
"clear_finished_jobs": "Eliminar trabajos finalizados",
"click_to_hide": "Clic para ocultar",
"click_to_lock": "Clic para bloquear",
"client": "Cliente",
"close": "Cerrar",
"close_command_palette": "Cerrar paleta de comandos",
"close_current_tab": "Cerrar pestaña actual",
"cloud": "Nube",
"cloud_drives": "Unidades en la nube",
"cloud_sync": "Sincronización en la nube",
"cloud_sync_description": "Gestiona los procesos que sincronizan tu biblioteca con Spacedrive Cloud",
"clouds": "Nubes",
"code": "Code",
"collection": "Collection",
"color": "Color",
"color_profile": "perfil de color",
"color_space": "Espacio de color",
"coming_soon": "Próximamente",
"contains": "contiene",
"completed": "Terminado",
"completed_with_errors": "Completado con errores.",
"compress": "Comprimir",
"config": "Config",
"configure_location": "Configurar Ubicación",
@ -78,6 +92,7 @@
"connected": "Conectado",
"contacts": "Contactos",
"contacts_description": "Administra tus contactos en Spacedrive.",
"contains": "contiene",
"content_id": "ID de contenido",
"continue": "Continuar",
"convert_to": "Convertir a",
@ -112,8 +127,9 @@
"cut_object": "Cortar objeto",
"cut_success": "Elementos cortados",
"dark": "Oscuro",
"database": "Database",
"data_folder": "Carpeta de datos",
"database": "Database",
"date": "Fecha",
"date_accessed": "Fecha accesada",
"date_created": "fecha de creacion",
"date_indexed": "Fecha indexada",
@ -124,15 +140,6 @@
"debug_mode": "Modo de depuración",
"debug_mode_description": "Habilitar funciones de depuración adicionales dentro de la aplicación.",
"default": "Predeterminado",
"descending": "Descendente",
"random": "Aleatorio",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "redes IPv6",
"ipv6_description": "Permitir la comunicación entre pares mediante redes IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "es",
"is_not": "no es",
"default_settings": "Configuración por defecto",
"delete": "Eliminar",
"delete_dialog_title": "Eliminar {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "Eliminar Etiqueta",
"delete_tag_description": "¿Estás seguro de que quieres eliminar esta etiqueta? Esto no se puede deshacer y los archivos etiquetados serán desvinculados.",
"delete_warning": "Esto eliminará tu {{type}} para siempre, aún no tenemos papelera...",
"descending": "Descendente",
"description": "Descripción",
"deselect": "Deseleccionar",
"details": "Detalles",
"device": "Dispositivo",
"devices": "Dispositivos",
"devices_coming_soon_tooltip": "¡Próximamente! Esta versión alfa no incluye la sincronización de bibliotecas, estará lista muy pronto.",
"dialog": "Diálogo",
"dialog_shortcut_description": "Para realizar acciones y operaciones",
"direction": "Dirección",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Deshabilitado",
"disconnected": "Desconectado",
"display_formats": "Formatos de visualización",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Hecho",
"dont_show_again": "No mostrar de nuevo",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "No mostrar de nuevo",
"dotfile": "Dotfile",
"double_click_action": "Acción de doble clic",
"download": "Descargar",
"downloading_update": "Descargando actualización",
"drag_to_resize": "Arrastrar para redimensionar",
"duplicate": "Duplicar",
"duplicate_object": "Duplicar objeto",
"duplicate_success": "Elementos duplicados",
@ -182,12 +192,9 @@
"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.",
"enable_sync": "Habilitar sincronización",
"enable_sync_description": "Genere operaciones de sincronización para todos los datos existentes en esta biblioteca y configure Spacedrive para generar operaciones de sincronización cuando sucedan cosas en el futuro.",
"enabled": "Activado",
"encrypt": "Encriptar",
"encrypt_library": "Encriptar Biblioteca",
"encrypt_library_coming_soon": "Encriptación de biblioteca próximamente",
@ -203,6 +210,7 @@
"error": "Error",
"error_loading_original_file": "Error cargando el archivo original",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Expandir",
"explorer": "Explorador",
"explorer_settings": "Configuración del explorador",
@ -212,11 +220,11 @@
"export_library": "Exportar Biblioteca",
"export_library_coming_soon": "Exportación de biblioteca próximamente",
"export_library_description": "Exporta esta biblioteca a un archivo.",
"executable": "Executable",
"extension": "Extensión",
"extensions": "Extensiones",
"extensions_description": "Instala extensiones para extender la funcionalidad de este cliente.",
"fahrenheit": "Fahrenheit",
"failed": "Fallido",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Error al cancelar el trabajo.",
"failed_to_clear_all_jobs": "Error al eliminar todos los trabajos.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Error al generar etiquetas",
"failed_to_generate_thumbnails": "Error al generar miniaturas",
"failed_to_load_tags": "Error al cargar etiquetas",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Error al pausar el trabajo.",
"failed_to_reindex_location": "Error al reindexar ubicación",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Hubo un error al enviar tu retroalimentación. Por favor, inténtalo de nuevo.",
"file": "file",
"file_already_exist_in_this_location": "El archivo ya existe en esta ubicación",
"file_directory_name": "Nombre de archivo/directorio",
"file_extension_description": "Extensión de archivo (por ejemplo, .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Reglas de indexación de archivos",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtro",
"filters": "Filtros",
"flash": "Destello",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Forzado",
"forward": "Adelante",
"free_of": "libre de",
"from": "libre de",
@ -272,6 +284,7 @@
"general_shortcut_description": "Atajos de uso general",
"generatePreviewMedia_label": "Generar medios de vista previa para esta Ubicación",
"generate_checksums": "Generar Sumas de Verificación",
"glob_description": "Globo (por ejemplo, **/.git)",
"go_back": "Regresar",
"go_to_labels": "Ir a etiquetas",
"go_to_location": "Ir a la ubicación",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Ocultar en la barra lateral",
"hide_in_sidebar_description": "Prevenir que esta etiqueta se muestre en la barra lateral de la aplicación.",
"hide_location_from_view": "Ocultar ubicación y contenido de la vista",
"hide_sidebar": "Ocultar barra lateral",
"home": "Inicio",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,17 +318,32 @@
"indexer_rule_reject_allow_label": "Por defecto, una regla de indexación funciona como una lista de Rechazo, resultando en la exclusión de cualquier archivo que coincida con sus criterios. Habilitar esta opción transformará en una lista de Permitir, permitiendo que la ubicación indexe solo archivos que cumplan con sus reglas especificadas.",
"indexer_rules": "Reglas de indexación",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Las reglas de indexación te permiten especificar rutas a ignorar usando comodines.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Ingerir",
"ingester_description": "Este proceso toma las operaciones en la nube recibidas y las envía al recopilador de sincronización principal.",
"injester_description": "Este proceso toma operaciones de sincronización de conexiones P2P y Spacedrive Cloud y las aplica a la biblioteca.",
"install": "Instalar",
"install_update": "Instalar Actualización",
"installed": "Instalado",
"invalid_extension": "Extensión no válida",
"invalid_glob": "globo no válido",
"invalid_name": "Nombre inválido",
"invalid_path": "Ruta no válida",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "redes IPv6",
"ipv6_description": "Permitir la comunicación entre pares mediante redes IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "es",
"is_not": "no es",
"item": "item",
"item_size": "Tamaño de elemento",
"item_with_count_one": "{{count}} artículo",
"item_with_count_many": "{{count}} items",
"item_with_count_one": "{{count}} artículo",
"item_with_count_other": "{{count}} artículos",
"items": "items",
"job_error_description": "El trabajo se completó con errores. \nConsulte el registro de errores a continuación para obtener más información. \nSi necesita ayuda, comuníquese con el soporte y proporcione este error.",
"job_has_been_canceled": "El trabajo ha sido cancelado.",
"job_has_been_paused": "El trabajo ha sido pausado.",
"job_has_been_removed": "El trabajo ha sido eliminado.",
@ -343,6 +372,8 @@
"libraries": "Bibliotecas",
"libraries_description": "La base de datos contiene todos los datos de la biblioteca y metadatos de archivos.",
"library": "Biblioteca",
"library_bytes": "Tamaño de la biblioteca",
"library_bytes_description": "El tamaño total de todas las ubicaciones de su 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",
@ -358,13 +389,14 @@
"local_locations": "Ubicaciones Locales",
"local_node": "Nodo Local",
"location": "Ubicación",
"location_one": "Ubicación",
"location_other": "Ubicaciones",
"location_connected_tooltip": "La ubicación está siendo vigilada en busca de cambios",
"location_disconnected_tooltip": "La ubicación no está siendo vigilada en busca de cambios",
"location_display_name_info": "El nombre de esta Ubicación, esto es lo que se mostrará en la barra lateral. No renombrará la carpeta real en el disco.",
"location_empty_notice_message": "No se encontraron archivos aquí",
"location_is_already_linked": "Ubicación ya está vinculada",
"location_many": "Locations",
"location_one": "Ubicación",
"location_other": "Ubicaciones",
"location_path_info": "La ruta a esta Ubicación, aquí es donde los archivos serán almacenados en el disco.",
"location_type": "Tipo de Ubicación",
"location_type_managed": "Spacedrive ordenará los archivos por ti. Si la Ubicación no está vacía se creará una carpeta \"spacedrive\".",
@ -373,6 +405,7 @@
"locations": "Ubicaciones",
"locations_description": "Administra tus ubicaciones de almacenamiento.",
"lock": "Bloquear",
"lock_sidebar": "Bloquear barra lateral",
"log_in": "Acceso",
"log_in_with_browser": "Iniciar sesión con el navegador",
"log_out": "Cerrar sesión",
@ -390,6 +423,7 @@
"mesh": "Mesh",
"miles": "Millas",
"mode": "Modo",
"model": "Modelo",
"modified": "Modificado",
"more": "Más",
"more_actions": "Más acciones...",
@ -425,27 +459,33 @@
"new_update_available": "¡Nueva actualización disponible!",
"no_apps_available": "No apps available",
"no_favorite_items": "No hay artículos favoritos",
"no_git": "Sin Git",
"no_hidden": "No oculto",
"no_items_found": "No se encontraron artículos",
"no_jobs": "No hay trabajos.",
"no_labels": "Sin etiquetas",
"no_nodes_found": "No se encontraron nodos de Spacedrive.",
"no_os_protected": "Sin sistema operativo protegido",
"no_search_selected": "Ninguna búsqueda seleccionada",
"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",
"note": "Note",
"not_you": "¿No eres tú?",
"note": "Note",
"nothing_selected": "Nothing selected",
"number_of_passes": "# de pasadas",
"object": "Objeto",
"object_id": "ID de Objeto",
"off": "Apagado",
"offline": "Fuera de línea",
"on": "En",
"online": "En línea",
"only_images": "Sólo imágenes",
"open": "Abrir",
"open_file": "Abrir Archivo",
"open_in_new_tab": "Abrir en una pestaña nueva",
@ -459,6 +499,11 @@
"opening_trash": "Opening Trash",
"or": "O",
"overview": "Resumen",
"p2p_visibility": "Visibilidad P2P",
"p2p_visibility_contacts_only": "Solo contactos",
"p2p_visibility_description": "Configura quién puede ver tu instalación de Spacedrive.",
"p2p_visibility_disabled": "Desactivado",
"p2p_visibility_everyone": "Todos",
"package": "Package",
"page": "Página",
"page_shortcut_description": "Diferentes páginas en la aplicación",
@ -473,6 +518,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Caminos",
"pause": "Pausar",
"paused": "En pausa",
"peers": "Pares",
"people": "Gente",
"pin": "Alfiler",
@ -482,9 +528,13 @@
"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.",
"queued": "Puesto en cola",
"quick_preview": "Vista rápida",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Vista rápida",
"random": "Aleatorio",
"receiver": "Receptor",
"receiver_description": "Este proceso recibe y almacena operaciones de Spacedrive Cloud.",
"recent_jobs": "Trabajos recientes",
"recents": "Recientes",
"recents_notice_message": "Los recientes se crean cuando abres un archivo.",
@ -495,6 +545,8 @@
"reject": "Rechazar",
"reject_files": "Reject files",
"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",
@ -508,6 +560,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Resolución",
"resources": "Recursos",
"restore": "Restaurar",
"resume": "Reanudar",
@ -529,10 +582,12 @@
"secure_delete": "Borrado seguro",
"security": "Seguridad",
"security_description": "Mantén tu cliente seguro.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Enviar",
"send_report": "Send Report",
"sender": "Remitente",
"sender_description": "Este proceso envía operaciones de sincronización a Spacedrive Cloud.",
"settings": "Configuraciones",
"setup": "Configurar",
"share": "Compartir",
@ -550,23 +605,36 @@
"show_slider": "Mostrar deslizador",
"size": "Tamaño",
"size_b": "B",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB",
"size_kb": "kB",
"size_kbs": "kB",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "TB",
"size_tbs": "tuberculosis",
"skip_login": "Saltar inicio de sesión",
"software": "Software",
"sort_by": "Ordenar por",
"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",
"start": "Comenzar",
"starting": "A partir de...",
"starts_with": "comienza con",
"stop": "Detener",
"stopping": "Parada...",
"success": "Éxito",
"support": "Soporte",
"switch_to_grid_view": "Cambiar a vista de cuadrícula",
@ -586,6 +654,9 @@
"tags": "Etiquetas",
"tags_description": "Administra tus etiquetas.",
"tags_notice_message": "No hay elementos asignados a esta etiqueta.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Activa para proporcionar a los desarrolladores datos detallados de uso y telemetría para mejorar la aplicación. Desactiva para enviar solo datos básicos: tu estado de actividad, versión de la aplicación, versión central y plataforma (por ejemplo, móvil, web o escritorio).",
"telemetry_title": "Compartir datos adicionales de telemetría y uso",
"temperature": "Temperatura",
@ -606,11 +677,6 @@
"toggle_path_bar": "Alternar barra de ruta",
"toggle_quick_preview": "Alternar vista rápida",
"toggle_sidebar": "Alternar barra lateral",
"lock_sidebar": "Bloquear barra lateral",
"hide_sidebar": "Ocultar barra lateral",
"drag_to_resize": "Arrastrar para redimensionar",
"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.",
@ -622,8 +688,8 @@
"type": "Tipo",
"ui_animations": "Animaciones de la UI",
"ui_animations_description": "Los diálogos y otros elementos de la UI se animarán al abrirse y cerrarse.",
"unnamed_location": "Ubicación sin nombre",
"unknown": "Unknown",
"unnamed_location": "Ubicación sin nombre",
"update": "Actualizar",
"update_downloaded": "Actualización descargada. Reinicia Spacedrive para instalar",
"updated_successfully": "Actualizado correctamente, estás en la versión {{version}}",
@ -634,6 +700,7 @@
"vaccum_library": "Biblioteca de vacío",
"vaccum_library_description": "Vuelva a empaquetar su base de datos para liberar espacio innecesario.",
"value": "Valor",
"value_required": "Valor requerido",
"version": "Versión {{version}}",
"video": "Video",
"video_preview_not_supported": "La vista previa de video no es soportada.",
@ -641,12 +708,13 @@
"want_to_do_this_later": "¿Quieres hacer esto más tarde?",
"web_page_archive": "Web Page Archive",
"website": "Sitio web",
"widget": "Widget",
"widget": "widget",
"with_descendants": "Con descendientes",
"your_account": "Tu cuenta",
"your_account_description": "Cuenta de Spacedrive e información.",
"your_local_network": "Tu Red Local",
"your_privacy": "Tu Privacidad",
"zoom": "Zoom",
"zoom_in": "Acercar",
"zoom_out": "Alejar"
}

View file

@ -9,6 +9,7 @@
"actions": "Actions",
"add": "Ajouter",
"add_device": "Ajouter un appareil",
"add_file_extension_rule": "Ajouter une extension de fichier à la règle actuelle",
"add_filter": "Ajouter un filtre",
"add_library": "Ajouter une bibliothèque",
"add_location": "Ajouter un emplacement",
@ -19,6 +20,7 @@
"add_tag": "Ajouter une étiquette",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Avancé",
"advanced_settings": "Paramètres avancés",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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",
"ascending": "Ascendante",
"ask_spacedrive": "Demandez à Spacedrive",
"assign_tag": "Attribuer une étiquette",
"audio": "Audio",
"audio_preview_not_supported": "L'aperçu audio n'est pas pris en charge.",
"auto": "Auto",
"back": "Retour",
"backfill_sync": "Opérations de synchronisation de remplissage",
"backfill_sync_description": "La bibliothèque est suspendue jusqu'à ce que le remplissage soit terminé",
"backups": "Sauvegardes",
"backups_description": "Gérez les sauvegardes de votre base de données Spacedrive.",
"bitrate": "Débit",
"blur_effects": "Effets de flou",
"blur_effects_description": "Certains composants se verront appliquer un effet de flou.",
"book": "book",
"cancel": "Annuler",
"cancel_selection": "Annuler la sélection",
"canceled": "Annulé",
"celcius": "Celsius",
"change": "Modifier",
"change_view_setting_description": "Changer la vue par défaut de l'explorateur",
@ -55,18 +62,25 @@
"changelog_page_title": "Changelog",
"checksum": "Somme de contrôle",
"clear_finished_jobs": "Effacer les travaux terminés",
"click_to_hide": "Cliquez pour masquer",
"click_to_lock": "Cliquez pour verrouiller",
"client": "Client",
"close": "Fermer",
"close_command_palette": "Fermer la palette de commandes",
"close_current_tab": "Fermer l'onglet actuel",
"cloud": "Nuage",
"cloud_drives": "Lecteurs en nuage",
"cloud_sync": "Synchronisation dans le cloud",
"cloud_sync_description": "Gérez les processus qui synchronisent votre bibliothèque avec Spacedrive Cloud",
"clouds": "Nuages",
"code": "Code",
"collection": "Collection",
"color": "Couleur",
"color_profile": "Profil de couleur",
"color_space": "Espace colorimétrique",
"coming_soon": "Bientôt",
"contains": "contient",
"completed": "Complété",
"completed_with_errors": "Complété avec des erreurs",
"compress": "Compresser",
"config": "Config",
"configure_location": "Configurer l'emplacement",
@ -78,6 +92,7 @@
"connected": "Connecté",
"contacts": "Contacts",
"contacts_description": "Gérez vos contacts dans Spacedrive.",
"contains": "contient",
"content_id": "ID de contenu",
"continue": "Continuer",
"convert_to": "Convertir en",
@ -112,8 +127,9 @@
"cut_object": "Couper l'objet",
"cut_success": "Éléments coupés",
"dark": "Sombre",
"database": "Database",
"data_folder": "Dossier de données",
"database": "Database",
"date": "Date",
"date_accessed": "Date d'accès",
"date_created": "date créée",
"date_indexed": "Date d'indexation",
@ -124,15 +140,6 @@
"debug_mode": "Mode débogage",
"debug_mode_description": "Activez des fonctionnalités de débogage supplémentaires dans l'application.",
"default": "Défaut",
"descending": "Descente",
"random": "Aléatoire",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "Mise en réseau IPv6",
"ipv6_description": "Autoriser la communication peer-to-peer à l'aide du réseau IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "est",
"is_not": "n'est pas",
"default_settings": "Paramètres par défaut",
"delete": "Supprimer",
"delete_dialog_title": "Supprimer {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "Supprimer l'étiquette",
"delete_tag_description": "Êtes-vous sûr de vouloir supprimer cette étiquette ? Cela ne peut pas être annulé et les fichiers étiquetés seront dissociés.",
"delete_warning": "Ceci supprimera votre {{type}} pour toujours, nous n'avons pas encore de corbeille...",
"descending": "Descente",
"description": "Description",
"deselect": "Désélectionner",
"details": "Détails",
"device": "Appareil",
"devices": "Appareils",
"devices_coming_soon_tooltip": "Bientôt disponible ! Cette version alpha n'inclut pas la synchronisation des bibliothèques, cela sera prêt très prochainement.",
"dialog": "Dialogue",
"dialog_shortcut_description": "Pour effectuer des actions et des opérations",
"direction": "Direction",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Désactivé",
"disconnected": "Débranché",
"display_formats": "Formats d'affichage",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Terminé",
"dont_show_again": "Ne plus afficher",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "Ne plus afficher",
"dotfile": "Dotfile",
"double_click_action": "Action double clic",
"download": "Télécharger",
"downloading_update": "Téléchargement de la mise à jour",
"drag_to_resize": "Faites glisser pour redimensionner",
"duplicate": "Dupliquer",
"duplicate_object": "Dupliquer l'objet",
"duplicate_success": "Éléments dupliqués",
@ -182,12 +192,9 @@
"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.",
"enable_sync": "Activer la synchronisation",
"enable_sync_description": "Générez des opérations de synchronisation pour toutes les données existantes dans cette bibliothèque et configurez Spacedrive pour générer des opérations de synchronisation lorsque des choses se produiront à l'avenir.",
"enabled": "Activé",
"encrypt": "Chiffrer",
"encrypt_library": "Chiffrer la bibliothèque",
"encrypt_library_coming_soon": "Le chiffrement de la bibliothèque arrive bientôt",
@ -203,6 +210,7 @@
"error": "Erreur",
"error_loading_original_file": "Erreur lors du chargement du fichier original",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Étendre",
"explorer": "Explorateur",
"explorer_settings": "Paramètres de l'explorateur",
@ -212,11 +220,11 @@
"export_library": "Exporter la bibliothèque",
"export_library_coming_soon": "L'exportation de la bibliothèque arrivera bientôt",
"export_library_description": "Exporter cette bibliothèque dans un fichier.",
"executable": "Executable",
"extension": "Extension",
"extensions": "Extensions",
"extensions_description": "Installez des extensions pour étendre la fonctionnalité de ce client.",
"fahrenheit": "Fahrenheit",
"failed": "Échoué",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Échec de l'annulation du travail.",
"failed_to_clear_all_jobs": "Échec de l'effacement de tous les travaux.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Échec de la génération des étiquettes",
"failed_to_generate_thumbnails": "Échec de la génération des vignettes",
"failed_to_load_tags": "Échec du chargement des étiquettes",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Échec de la mise en pause du travail.",
"failed_to_reindex_location": "Échec de la réindexation de l'emplacement",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Une erreur s'est produite lors de l'envoi de votre retour d'information. Veuillez réessayer.",
"file": "file",
"file_already_exist_in_this_location": "Le fichier existe déjà à cet emplacement",
"file_directory_name": "Nom du fichier/répertoire",
"file_extension_description": "Extension de fichier (par exemple, .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Règles d'indexation des fichiers",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtre",
"filters": "Filtres",
"flash": "Éclair",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Forcé",
"forward": "Avancer",
"free_of": "libre de",
"from": "de",
@ -272,6 +284,7 @@
"general_shortcut_description": "Raccourcis d'utilisation générale",
"generatePreviewMedia_label": "Générer des médias d'aperçu pour cet emplacement",
"generate_checksums": "Générer des sommes de contrôle",
"glob_description": "Glob (par exemple, **/.git)",
"go_back": "Revenir",
"go_to_labels": "Aller aux étiquettes",
"go_to_location": "Aller à l'emplacement",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Masquer dans la barre latérale",
"hide_in_sidebar_description": "Empêcher cette étiquette de s'afficher dans la barre latérale de l'application.",
"hide_location_from_view": "Masquer l'emplacement et le contenu de la vue",
"hide_sidebar": "Masquer la barre latérale",
"home": "Accueil",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,17 +318,32 @@
"indexer_rule_reject_allow_label": "Par défaut, une règle d'indexeur fonctionne comme une liste de rejet, entraînant l'exclusion de tous les fichiers qui correspondent à ses critères. Activer cette option la transformera en une liste d'autorisation, permettant à l'emplacement d'indexer uniquement les fichiers qui répondent à ses règles spécifiées.",
"indexer_rules": "Règles de l'indexeur",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Les règles de l'indexeur vous permettent de spécifier des chemins à ignorer en utilisant des glob patterns.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Ingérer",
"ingester_description": "Ce processus prend les opérations cloud reçues et les envoie au principal ingesteur de synchronisation.",
"injester_description": "Ce processus prend les opérations de synchronisation des connexions P2P et Spacedrive Cloud et les applique à la bibliothèque.",
"install": "Installer",
"install_update": "Installer la mise à jour",
"installed": "Installé",
"invalid_extension": "Extension invalide",
"invalid_glob": "Globe invalide",
"invalid_name": "Nom incorrect",
"invalid_path": "Chemin invalide",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "Mise en réseau IPv6",
"ipv6_description": "Autoriser la communication peer-to-peer à l'aide du réseau IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "est",
"is_not": "n'est pas",
"item": "item",
"item_size": "Taille de l'élément",
"item_with_count_one": "{{count}} article",
"item_with_count_many": "{{count}} items",
"item_with_count_one": "{{count}} article",
"item_with_count_other": "{{count}} articles",
"items": "items",
"job_error_description": "Le travail s'est terminé avec des erreurs. \nVeuillez consulter le journal des erreurs ci-dessous pour plus d'informations. \nSi vous avez besoin d'aide, veuillez contacter l'assistance et fournir cette erreur.",
"job_has_been_canceled": "Le travail a été annulé.",
"job_has_been_paused": "Le travail a été mis en pause.",
"job_has_been_removed": "Le travail a été supprimé.",
@ -343,6 +372,8 @@
"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_bytes": "Taille de la bibliothèque",
"library_bytes_description": "La taille totale de tous les emplacements de votre 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",
@ -358,13 +389,14 @@
"local_locations": "Emplacements locaux",
"local_node": "Nœud local",
"location": "Localisation",
"location_one": "Localisation",
"location_other": "Localisation",
"location_connected_tooltip": "L'emplacement est surveillé pour les changements",
"location_disconnected_tooltip": "L'emplacement n'est pas surveillé pour les changements",
"location_display_name_info": "Le nom de cet emplacement, c'est ce qui sera affiché dans la barre latérale. Ne renommera pas le dossier réel sur le disque.",
"location_empty_notice_message": "Aucun fichier trouvé ici",
"location_is_already_linked": "L'emplacement est déjà lié",
"location_many": "Locations",
"location_one": "Localisation",
"location_other": "Localisation",
"location_path_info": "Le chemin vers cet emplacement, c'est là que les fichiers seront stockés sur le disque.",
"location_type": "Type d'emplacement",
"location_type_managed": "Spacedrive triera les fichiers pour vous. Si l'emplacement n'est pas vide, un dossier \"spacedrive\" sera créé.",
@ -373,6 +405,7 @@
"locations": "Emplacements",
"locations_description": "Gérez vos emplacements de stockage.",
"lock": "Verrouiller",
"lock_sidebar": "Verrouiller la barre latérale",
"log_in": "Se connecter",
"log_in_with_browser": "Se connecter avec le navigateur",
"log_out": "Se déconnecter",
@ -390,6 +423,7 @@
"mesh": "Mesh",
"miles": "Miles",
"mode": "Mode",
"model": "Modèle",
"modified": "Modifié",
"more": "Plus",
"more_actions": "Plus d'actions...",
@ -425,27 +459,33 @@
"new_update_available": "Nouvelle mise à jour disponible !",
"no_apps_available": "No apps available",
"no_favorite_items": "Aucun article favori",
"no_git": "Pas de connard",
"no_hidden": "Non caché",
"no_items_found": "Aucun élément trouvé",
"no_jobs": "Aucun travail.",
"no_labels": "Pas d'étiquettes",
"no_nodes_found": "Aucun nœud Spacedrive n'a été trouvé.",
"no_os_protected": "Aucun système d'exploitation protégé",
"no_search_selected": "No Search Selected",
"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",
"note": "Note",
"not_you": "Pas vous ?",
"note": "Note",
"nothing_selected": "Nothing selected",
"number_of_passes": "Nombre de passes",
"object": "Objet",
"object_id": "ID de l'objet",
"off": "Désactivé",
"offline": "Hors ligne",
"on": "Sur",
"online": "En ligne",
"only_images": "Seulement des images",
"open": "Ouvrir",
"open_file": "Ouvrir le fichier",
"open_in_new_tab": "Ouvrir dans un nouvel onglet",
@ -459,6 +499,11 @@
"opening_trash": "Opening Trash",
"or": "OU",
"overview": "Aperçu",
"p2p_visibility": "Visibilité P2P",
"p2p_visibility_contacts_only": "Contacts uniquement",
"p2p_visibility_description": "Configurez qui peut voir votre installation Spacedrive.",
"p2p_visibility_disabled": "Désactivé",
"p2p_visibility_everyone": "Tout le monde",
"package": "Package",
"page": "Page",
"page_shortcut_description": "Différentes pages de l'application",
@ -473,6 +518,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Chemins",
"pause": "Pause",
"paused": "En pause",
"peers": "Pairs",
"people": "Personnes",
"pin": "Épingle",
@ -482,9 +528,13 @@
"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.",
"queued": "En file d'attente",
"quick_preview": "Aperçu rapide",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Vue rapide",
"random": "Aléatoire",
"receiver": "Destinataire",
"receiver_description": "Ce processus reçoit et stocke les opérations de Spacedrive Cloud.",
"recent_jobs": "Travaux récents",
"recents": "Récents",
"recents_notice_message": "Les fichiers récents sont créés lorsque vous ouvrez un fichier.",
@ -495,6 +545,8 @@
"reject": "Rejeter",
"reject_files": "Reject files",
"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",
@ -508,6 +560,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Résolution",
"resources": "Ressources",
"restore": "Restaurer",
"resume": "Reprendre",
@ -529,10 +582,12 @@
"secure_delete": "Suppression sécurisée",
"security": "Sécurité",
"security_description": "Gardez votre client en sécurité.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Envoyer",
"send_report": "Send Report",
"sender": "Expéditeur",
"sender_description": "Ce processus envoie des opérations de synchronisation à Spacedrive Cloud.",
"settings": "Paramètres",
"setup": "Configuration",
"share": "Partager",
@ -550,23 +605,36 @@
"show_slider": "Afficher le curseur",
"size": "Taille",
"size_b": "o",
"size_bs": "B",
"size_gb": "Go",
"size_gbs": "Go",
"size_kb": "Ko",
"size_kbs": "Ko",
"size_mb": "Mo",
"size_mbs": "Mo",
"size_tb": "To",
"size_tbs": "TB",
"skip_login": "Passer la connexion",
"software": "Logiciel",
"sort_by": "Trier par",
"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",
"start": "Commencer",
"starting": "Départ...",
"starts_with": "commence par",
"stop": "Arrêter",
"stopping": "Arrêt...",
"success": "Succès",
"support": "Support",
"switch_to_grid_view": "Passer à la vue en grille",
@ -585,6 +653,9 @@
"tag_other": "Étiquettes",
"tags_description": "Gérer vos étiquettes.",
"tags_notice_message": "Aucun élément attribué à cette balise.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Activez pour fournir aux développeurs des données détaillées d'utilisation et de télémesure afin d'améliorer l'application. Désactivez pour n'envoyer que les données de base : votre statut d'activité, la version de l'application, la version du noyau et la plateforme (par exemple, mobile, web ou ordinateur de bureau).",
"telemetry_title": "Partager des données de télémesure et d'utilisation supplémentaires",
"temperature": "Température",
@ -605,11 +676,6 @@
"toggle_path_bar": "Activer/désactiver la barre de chemin",
"toggle_quick_preview": "Activer/désactiver l'aperçu rapide",
"toggle_sidebar": "Basculer la barre latérale",
"lock_sidebar": "Verrouiller la barre latérale",
"hide_sidebar": "Masquer la barre latérale",
"drag_to_resize": "Faites glisser pour redimensionner",
"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.",
@ -621,8 +687,8 @@
"type": "Type",
"ui_animations": "Animations de l'interface",
"ui_animations_description": "Les dialogues et autres éléments d'interface animeront lors de l'ouverture et de la fermeture.",
"unnamed_location": "Emplacement sans nom",
"unknown": "Unknown",
"unnamed_location": "Emplacement sans nom",
"update": "Mettre à jour",
"update_downloaded": "Mise à jour téléchargée. Redémarrez Spacedrive pour installer",
"updated_successfully": "Mise à jour réussie, vous êtes en version {{version}}",
@ -633,6 +699,7 @@
"vaccum_library": "Bibliothèque sous vide",
"vaccum_library_description": "Remballez votre base de données pour libérer de l'espace inutile.",
"value": "Valeur",
"value_required": "Valeur requise",
"version": "Version {{version}}",
"video": "Video",
"video_preview_not_supported": "L'aperçu vidéo n'est pas pris en charge.",
@ -646,6 +713,7 @@
"your_account_description": "Compte et informations Spacedrive.",
"your_local_network": "Votre réseau local",
"your_privacy": "Votre confidentialité",
"zoom": "Zoom",
"zoom_in": "Zoom avant",
"zoom_out": "Zoom arrière"
}

View file

@ -9,6 +9,7 @@
"actions": "Azioni",
"add": "Aggiungi",
"add_device": "Aggiungi dispositivo",
"add_file_extension_rule": "Aggiungi un'estensione di file alla regola corrente",
"add_filter": "Aggiungi filtro",
"add_library": "Aggiungi libreria",
"add_location": "Aggiungi Posizione",
@ -19,6 +20,7 @@
"add_tag": "Aggiungi Tag",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Avanzate",
"advanced_settings": "Impostazioni avanzate",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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",
"ascending": "Ascendente",
"ask_spacedrive": "Chiedi a Spacedrive",
"assign_tag": "Assegna tag",
"audio": "Audio",
"audio_preview_not_supported": "L'anteprima audio non è disponibile.",
"auto": "Auto",
"back": "Indietro",
"backfill_sync": "Operazioni di sincronizzazione del backfill",
"backfill_sync_description": "La raccolta viene sospesa fino al completamento del recupero",
"backups": "Backups",
"backups_description": "Gestisci i tuoi backup del database di Spacedrive.",
"bitrate": "Velocità in bit",
"blur_effects": "Effetti di sfocatura",
"blur_effects_description": "Alcuni componenti avranno un effetto di sfocatura applicato ad essi.",
"book": "book",
"cancel": "Annulla",
"cancel_selection": "Annulla selezione",
"canceled": "Annullato",
"celcius": "Celsius",
"change": "Cambia",
"change_view_setting_description": "Modifica la visualizzazione predefinita di Explorer",
@ -55,18 +62,25 @@
"changelog_page_title": "Changelog",
"checksum": "Checksum",
"clear_finished_jobs": "Cancella i lavori completati",
"click_to_hide": "Clicca per nascondere",
"click_to_lock": "Clicca per bloccare",
"client": "Client",
"close": "Chiudi",
"close_command_palette": "Chiudi la tavolozza dei comandi",
"close_current_tab": "Chiudi scheda corrente",
"cloud": "Cloud",
"cloud_drives": "Unità cloud",
"cloud_sync": "Sincronizzazione nel cloud",
"cloud_sync_description": "Gestisci i processi che sincronizzano la tua libreria con Spacedrive Cloud",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Colore",
"color_profile": "Profilo colore",
"color_space": "Spazio colore",
"coming_soon": "In arrivo prossimamente",
"contains": "contiene",
"completed": "Completato",
"completed_with_errors": "Completato con errori",
"compress": "Comprimi",
"config": "Config",
"configure_location": "Configura posizione",
@ -78,6 +92,7 @@
"connected": "Connesso",
"contacts": "Contatti",
"contacts_description": "Gestisci i tuoi contatti su Spacedrive.",
"contains": "contiene",
"content_id": "ID Contenuto",
"continue": "Continua",
"convert_to": "Converti in",
@ -112,8 +127,9 @@
"cut_object": "Taglia oggetto",
"cut_success": "Articoli tagliati",
"dark": "Scuro",
"database": "Database",
"data_folder": "Cartella dati",
"database": "Database",
"date": "Data",
"date_accessed": "Data di accesso",
"date_created": "data di creazione",
"date_indexed": "Data indicizzata",
@ -124,15 +140,6 @@
"debug_mode": "Modalità debug",
"debug_mode_description": "Abilita funzionalità di debug aggiuntive all'interno dell'app.",
"default": "Predefinito",
"descending": "In discesa",
"random": "Casuale",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "Rete IPv6",
"ipv6_description": "Consenti la comunicazione peer-to-peer utilizzando la rete IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "è",
"is_not": "non è",
"default_settings": "Impostazioni predefinite",
"delete": "Elimina",
"delete_dialog_title": "Elimina {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "Elimina Tag",
"delete_tag_description": "Sei sicuro di voler cancellare questa etichetta? Questa operazione non può essere annullata e i file etichettati verranno scollegati.",
"delete_warning": "stai per eliminare il tuo {{type}} per sempre, non abbiamo ancora un cestino...",
"descending": "In discesa",
"description": "Descrizione",
"deselect": "Deseleziona",
"details": "Dettagli",
"device": "Dispositivo",
"devices": "Dispositivi",
"devices_coming_soon_tooltip": "In arrivo prossimamente! Questa alpha non include la sincronizzazione delle librerie, è in arrivo molto presto.",
"dialog": "Finestra di dialogo",
"dialog_shortcut_description": "Per eseguire azioni e operazioni",
"direction": "Direzione",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Disabilitato",
"disconnected": "Disconnesso",
"display_formats": "Formati di visualizzazione",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Completato",
"dont_show_again": "Non mostrare di nuovo",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "Non mostrare di nuovo",
"dotfile": "Dotfile",
"double_click_action": "Azione doppio click",
"download": "Scaricati",
"downloading_update": "Download dell'aggiornamento",
"drag_to_resize": "Trascina per ridimensionare",
"duplicate": "Duplicato",
"duplicate_object": "Duplica oggetto",
"duplicate_success": "Elementi duplicati",
@ -182,12 +192,9 @@
"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.",
"enable_sync": "Abilita sincronizzazione",
"enable_sync_description": "Genera operazioni di sincronizzazione per tutti i dati esistenti in questa libreria e configura Spacedrive per generare operazioni di sincronizzazione quando accadono cose in futuro.",
"enabled": "Abilitato",
"encrypt": "Crittografa",
"encrypt_library": "Crittografa la Libreria",
"encrypt_library_coming_soon": "La crittografia della libreria arriverà prossimamente",
@ -203,6 +210,7 @@
"error": "Errore",
"error_loading_original_file": "Errore durante il caricamento del file originale",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Espandi",
"explorer": "Explorer",
"explorer_settings": "Impostazioni di Esplora risorse",
@ -212,11 +220,11 @@
"export_library": "Esporta la Libreria",
"export_library_coming_soon": "L'esportazione della libreria arriverà prossimamente",
"export_library_description": "Esporta questa libreria in un file.",
"executable": "Executable",
"extension": "Extension",
"extensions": "Estensioni",
"extensions_description": "Installa estensioni per estendere le funzionalità di questo client.",
"fahrenheit": "Fahrenheit",
"failed": "Fallito",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Impossibile annullare il lavoro.",
"failed_to_clear_all_jobs": "Impossibile cancellare tutti i lavori.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Impossibile generare etichette",
"failed_to_generate_thumbnails": "Impossibile generare le anteprime",
"failed_to_load_tags": "Impossibile caricare i tag",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Impossibile mettere in pausa il lavoro.",
"failed_to_reindex_location": "Impossibile reindicizzare la posizione",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Si è verificato un errore durante l'invio del tuo feedback. Riprova.",
"file": "file",
"file_already_exist_in_this_location": "Il file esiste già in questa posizione",
"file_directory_name": "Nome del file/directory",
"file_extension_description": "Estensione del file (ad esempio, .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Regole di indicizzazione dei file",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtro",
"filters": "Filtri",
"flash": "Veloce",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Costretto",
"forward": "Avanti",
"free_of": "senza",
"from": "da",
@ -272,6 +284,7 @@
"general_shortcut_description": "Scorciatoie d'uso generale",
"generatePreviewMedia_label": "Genera anteprime per questa posizione",
"generate_checksums": "Genera i checksum",
"glob_description": "Glob (ad esempio, **/.git)",
"go_back": "Indietro",
"go_to_labels": "Vai alle etichette",
"go_to_location": "Vai alla posizione",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Nascondi nella barra laterale",
"hide_in_sidebar_description": "Impedisci che questo tag venga visualizzato nella barra laterale dell'app.",
"hide_location_from_view": "Nascondi posizione e contenuti",
"hide_sidebar": "Nascondi la barra laterale",
"home": "Home",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,17 +318,32 @@
"indexer_rule_reject_allow_label": "Per impostazione predefinita, una regola dell'indicizzatore funziona come una lista di esclusione, comportando l'esclusione di tutti i file che soddisfano i suoi criteri. Abilitando questa opzione, la trasformerà in una lista di inclusione, consentendo alla posizione di indicizzare esclusivamente i file che soddisfano le sue regole specificate.",
"indexer_rules": "Regole dell'indicizzatore",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Le regole dell'indicizzatore consentono di specificare percorsi da ignorare utilizzando i glob.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Ingeritore",
"ingester_description": "Questo processo accetta le operazioni cloud ricevute e le invia all'ingester di sincronizzazione principale.",
"injester_description": "Questo processo prende le operazioni di sincronizzazione dalle connessioni P2P e Spacedrive Cloud e le applica alla libreria.",
"install": "Installa",
"install_update": "Installa Aggiornamento",
"installed": "Installato",
"invalid_extension": "Estensione non valida",
"invalid_glob": "Globo non valido",
"invalid_name": "Nome non valido",
"invalid_path": "Percorso non valido",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "Rete IPv6",
"ipv6_description": "Consenti la comunicazione peer-to-peer utilizzando la rete IPv6",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "è",
"is_not": "non è",
"item": "item",
"item_size": "Dimensione dell'elemento",
"item_with_count_one": "{{count}} elemento",
"item_with_count_many": "{{count}} items",
"item_with_count_one": "{{count}} elemento",
"item_with_count_other": "{{count}} elementi",
"items": "items",
"job_error_description": "Il lavoro è stato completato con errori. \nPer ulteriori informazioni, consultare il registro degli errori riportato di seguito. \nSe hai bisogno di aiuto, contatta l'assistenza e fornisci questo errore.",
"job_has_been_canceled": "Il lavoro è stato annullato",
"job_has_been_paused": "Il lavoro è stato messo in pausa.",
"job_has_been_removed": "Il lavoro è stato rimosso.",
@ -343,6 +372,8 @@
"libraries": "Librerie",
"libraries_description": "Il database contiene tutti i dati della libreria e i metadati dei file.",
"library": "Libreria",
"library_bytes": "Dimensioni della libreria",
"library_bytes_description": "La dimensione totale di tutte le posizioni nella tua libreria.",
"library_db_size": "Dimensione dell'indice",
"library_db_size_description": "La dimensione del database della biblioteca.",
"library_name": "Nome Libreria",
@ -358,13 +389,14 @@
"local_locations": "Posizioni Locali",
"local_node": "Nodo Locale",
"location": "Posizione",
"location_one": "Posizione",
"location_other": "Luoghi",
"location_connected_tooltip": "La posizione è monitorata per i cambiamenti",
"location_disconnected_tooltip": "La posizione non è monitorata per i cambiamenti",
"location_display_name_info": "Il nome di questa Posizione, questo è ciò che verrà visualizzato nella barra laterale. Non rinominerà la cartella effettiva sul disco.",
"location_empty_notice_message": "Nessun file trovato qui",
"location_is_already_linked": "La Posizione è già collegata",
"location_many": "Locations",
"location_one": "Posizione",
"location_other": "Luoghi",
"location_path_info": "Il percorso di questa Posizione, è qui che i file verranno archiviati sul disco.",
"location_type": "Tipo Posizione",
"location_type_managed": "Spacedrive ordinerà i file per te. Se la posizione non è vuota verrà creata una cartella \"spacedrive\".",
@ -373,6 +405,7 @@
"locations": "Posizioni",
"locations_description": "Gestisci le tue posizioni",
"lock": "Blocca",
"lock_sidebar": "Blocca la barra laterale",
"log_in": "Login",
"log_in_with_browser": "Accedi con il browser",
"log_out": "Disconnettiti",
@ -390,6 +423,7 @@
"mesh": "Mesh",
"miles": "Miglia",
"mode": "Modalità",
"model": "Modello",
"modified": "Modificati",
"more": "Di più",
"more_actions": "Più azioni...",
@ -425,27 +459,33 @@
"new_update_available": "Nuovo aggiornamento disponibile!",
"no_apps_available": "No apps available",
"no_favorite_items": "Nessun articolo preferito",
"no_git": "Niente Git",
"no_hidden": "Nessun nascosto",
"no_items_found": "Nessun articolo trovato",
"no_jobs": "Nessun lavoro.",
"no_labels": "Nessuna etichetta",
"no_nodes_found": "Nessun nodo Spacedrive trovato.",
"no_os_protected": "Nessun sistema operativo protetto",
"no_search_selected": "No Search Selected",
"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",
"note": "Note",
"not_you": "Non sei tu?",
"note": "Note",
"nothing_selected": "Nulla di selezionato",
"number_of_passes": "# di passaggi",
"object": "Oggetto",
"object_id": "ID oggetto",
"off": "Spento",
"offline": "Offline",
"on": "SU",
"online": "Online",
"only_images": "Solo immagini",
"open": "Apri",
"open_file": "Apri File",
"open_in_new_tab": "Apri in una nuova scheda",
@ -459,6 +499,11 @@
"opening_trash": "Opening Trash",
"or": "oppure",
"overview": "Panoramica",
"p2p_visibility": "Visibilità P2P",
"p2p_visibility_contacts_only": "Solo contatti",
"p2p_visibility_description": "Configura chi può vedere la tua installazione di Spacedrive.",
"p2p_visibility_disabled": "Disabilitato",
"p2p_visibility_everyone": "Tutti",
"package": "Package",
"page": "Pagina",
"page_shortcut_description": "Diverse pagine nell'app",
@ -473,6 +518,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Percorsi",
"pause": "Pausa",
"paused": "In pausa",
"peers": "Peers",
"people": "Persone",
"pin": "Spillo",
@ -482,9 +528,13 @@
"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.",
"queued": "In coda",
"quick_preview": "Anteprima rapida",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Visualizzazione rapida",
"random": "Casuale",
"receiver": "Ricevitore",
"receiver_description": "Questo processo riceve e archivia le operazioni da Spacedrive Cloud.",
"recent_jobs": "Jobs recenti",
"recents": "Recenti",
"recents_notice_message": "I recenti vengono creati quando apri un file.",
@ -495,6 +545,8 @@
"reject": "Rifiuta",
"reject_files": "Reject files",
"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",
@ -508,6 +560,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Risoluzione",
"resources": "Risorse",
"restore": "Ripristina",
"resume": "Riprendi",
@ -529,10 +582,12 @@
"secure_delete": "Eliminazione sicura",
"security": "Sicurezza",
"security_description": "Tieni al sicuro il tuo client.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Invia",
"send_report": "Send Report",
"sender": "Mittente",
"sender_description": "Questo processo invia operazioni di sincronizzazione a Spacedrive Cloud.",
"settings": "Impostazioni",
"setup": "Imposta",
"share": "Condividi",
@ -550,23 +605,36 @@
"show_slider": "Mostra slider",
"size": "Dimensione",
"size_b": "B",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB",
"size_kb": "kB",
"size_kbs": "kB",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "TBC",
"size_tbs": "TBC",
"skip_login": "Salta l'accesso",
"software": "Software",
"sort_by": "Ordina per",
"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",
"start": "Inizio",
"starting": "Di partenza...",
"starts_with": "inizia con",
"stop": "Stop",
"stopping": "Arresto...",
"success": "Successo",
"support": "Supporto",
"switch_to_grid_view": "Passa alla visualizzazione a griglia",
@ -585,6 +653,9 @@
"tag_other": "Tags",
"tags_description": "Gestisci i tuoi tags.",
"tags_notice_message": "Nessun elemento assegnato a questo tag.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Attiva per fornire agli sviluppatori dati dettagliati sull'utilizzo e sulla telemetria per migliorare l'app. Disattiva per inviare solo i dati di base: stato della tua attività, versione dell'app, versione principale e piattaforma (ad esempio mobile, web o desktop).",
"telemetry_title": "Condividi ulteriori dati di telemetria e utilizzo",
"temperature": "Temperatura",
@ -605,11 +676,6 @@
"toggle_path_bar": "Mostra/nascondi barra del percorso",
"toggle_quick_preview": "Mostra/nascondi anteprima rapida",
"toggle_sidebar": "Attiva/disattiva la barra laterale",
"lock_sidebar": "Blocca la barra laterale",
"hide_sidebar": "Nascondi la barra laterale",
"drag_to_resize": "Trascina per ridimensionare",
"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.",
@ -621,8 +687,8 @@
"type": "Tipo",
"ui_animations": "Animazioni dell'interfaccia utente",
"ui_animations_description": "Le finestre di dialogo e altri elementi dell'interfaccia utente si animeranno durante l'apertura e la chiusura.",
"unnamed_location": "Posizione senza nome",
"unknown": "Unknown",
"unnamed_location": "Posizione senza nome",
"update": "Aggiornamento",
"update_downloaded": "Aggiornamento scaricato. Riavvia Spacedrive per eseguire l'installazione",
"updated_successfully": "Aggiornato con successo, sei sulla versione {{version}}",
@ -633,6 +699,7 @@
"vaccum_library": "Biblioteca dei vaccini",
"vaccum_library_description": "Ricomponi il tuo database per liberare spazio non necessario.",
"value": "Valore",
"value_required": "Valore richiesto",
"version": "Versione {{versione}}",
"video": "Video",
"video_preview_not_supported": "L'anteprima video non è supportata.",
@ -640,12 +707,13 @@
"want_to_do_this_later": "Vuoi farlo più tardi?",
"web_page_archive": "Web Page Archive",
"website": "Sito web",
"widget": "Widget",
"widget": "Aggeggio",
"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",
"your_privacy": "La tua Privacy",
"zoom": "Ingrandisci",
"zoom_in": "Ingrandire",
"zoom_out": "Ridurre"
}

View file

@ -9,6 +9,7 @@
"actions": "操作",
"add": "追加",
"add_device": "デバイスを追加",
"add_file_extension_rule": "現在のルールにファイル拡張子を追加する",
"add_filter": "フィルターの追加",
"add_library": "ライブラリを追加",
"add_location": "ロケーションを追加",
@ -19,6 +20,7 @@
"add_tag": "タグを追加",
"added_location": "ロケーション {{name}} を追加しました",
"adding_location": "ロケーション {{name}} を追加中",
"advanced": "高度な",
"advanced_settings": "高度な設定",
"album": "アルバム",
"alias": "エイリアス",
@ -34,19 +36,24 @@
"archive_coming_soon": "ロケーションのアーカイブ機能は今後実装予定です。",
"archive_info": "ライブラリから、ロケーションのフォルダ構造を保存するために、アーカイブとしてデータを抽出します。",
"are_you_sure": "実行しますか?",
"ask_spacedrive": "スペースドライブに聞いてください",
"ascending": "昇順",
"ask_spacedrive": "スペースドライブに聞いてください",
"assign_tag": "タグを追加",
"audio": "オーディオ",
"audio_preview_not_supported": "オーディオのプレビューには対応していません。",
"auto": "自動",
"back": "戻る",
"backfill_sync": "同期操作のバックフィル",
"backfill_sync_description": "バックフィルが完了するまでライブラリは一時停止されます",
"backups": "バックアップ",
"backups_description": "Spacedriveデータベースのバックアップの設定を行います。",
"bitrate": "ビットレート",
"blur_effects": "ぼかし効果",
"blur_effects_description": "いくつかのUI要素にぼかし効果を適用します。",
"book": "ブック",
"cancel": "キャンセル",
"cancel_selection": "選択を解除",
"canceled": "キャンセル",
"celcius": "摂氏",
"change": "変更",
"change_view_setting_description": "デフォルトのエクスプローラー ビューを変更する",
@ -55,18 +62,25 @@
"changelog_page_title": "変更履歴",
"checksum": "チェックサム",
"clear_finished_jobs": "完了ジョブを削除",
"click_to_hide": "非表示にするにはクリック",
"click_to_lock": "ロックするにはクリック",
"client": "クライアント",
"close": "閉じる",
"close_command_palette": "コマンドパレットを閉じる",
"close_current_tab": "タブを閉じる",
"cloud": "クラウド",
"cloud_drives": "クラウドドライブ",
"cloud_sync": "クラウド同期",
"cloud_sync_description": "ライブラリを Spacedrive Cloud と同期するプロセスを管理する",
"clouds": "クラウド",
"code": "コード",
"collection": "コレクション",
"color": "色",
"color_profile": "カラープロファイル",
"color_space": "色空間",
"coming_soon": "近日実装予定",
"contains": "が次を含む",
"completed": "完了",
"completed_with_errors": "エラーありで完了しました",
"compress": "圧縮",
"config": "コンフィグ",
"configure_location": "ロケーション設定を編集",
@ -78,6 +92,7 @@
"connected": "接続中",
"contacts": "連絡先",
"contacts_description": "Spacedriveで連絡先を管理。",
"contains": "が次を含む",
"content_id": "コンテンツID",
"continue": "続ける",
"convert_to": "ファイルを変換",
@ -112,8 +127,9 @@
"cut_object": "オブジェクトを切り取り",
"cut_success": "アイテムを切り取りました",
"dark": "ダーク",
"database": "データベース",
"data_folder": "データフォルダー",
"database": "データベース",
"date": "日付",
"date_accessed": "アクセス日時",
"date_created": "作成日時",
"date_indexed": "インデックス化日時",
@ -124,15 +140,6 @@
"debug_mode": "デバッグモード",
"debug_mode_description": "アプリ内で追加のデバッグ機能を有効にします。",
"default": "デフォルト",
"descending": "降順",
"random": "ランダム",
"ipv4_listeners_error": "IPv4リスナーの作成エラー。ファイアウォールの設定を確認してください",
"ipv4_ipv6_listeners_error": "IPv4・IPv6リスナーの作成エラー。ファイアウォールの設定を確認してください",
"ipv6": "IPv6ネットワーキング",
"ipv6_description": "IPv6 ネットワークを使用したピアツーピア通信を許可する",
"ipv6_listeners_error": "IPv6リスナーの作成エラー。ファイアウォールの設定を確認してください",
"is": "が",
"is_not": "が次と異なる",
"default_settings": "デフォルトの設定",
"delete": "削除",
"delete_dialog_title": "{{prefix}} {{type}} を削除",
@ -148,16 +155,18 @@
"delete_tag": "タグを削除",
"delete_tag_description": "本当にこのタグを削除しますか?これを元に戻すことはできず、タグ付けされたファイル間の結びつきは失われます。",
"delete_warning": "これはあなたの {{type}} を完全に削除します。",
"descending": "降順",
"description": "説明",
"deselect": "クリップボードを空にする",
"details": "詳細",
"device": "デバイス",
"devices": "デバイス",
"devices_coming_soon_tooltip": "このアルファ版にはライブラリ間の同期機能は含まれていません。実装をお待ち下さい。",
"dialog": "ダイアログ",
"dialog_shortcut_description": "特定の操作を設定します。",
"direction": "順番",
"directory": "ディレクトリ",
"directories": "ディレクトリ",
"directory": "ディレクトリ",
"disabled": "無効",
"disconnected": "切断中",
"display_formats": "表示フォーマット",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "ドキュメント",
"done": "完了",
"dont_show_again": "今後表示しない",
"dont_have_any": "何もありません",
"dont_show_again": "今後表示しない",
"dotfile": "Dotfile",
"double_click_action": "ダブルクリック時の動作",
"download": "ダウンロード",
"downloading_update": "アップデートをダウンロード中",
"drag_to_resize": "ドラッグでサイズ変更",
"duplicate": "複製",
"duplicate_object": "オブジェクトを複製",
"duplicate_success": "アイテムを複製しました",
@ -182,12 +192,9 @@
"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": "他のノードがこのノードに直接接続できるようにします。",
"enable_sync": "同期を有効にする",
"enable_sync_description": "このライブラリ内のすべての既存データに対して同期操作を生成し、将来何かが発生したときに同期操作を生成するように Spacedrive を構成します。",
"enabled": "有効",
"encrypt": "暗号化",
"encrypt_library": "ライブラリを暗号化する",
"encrypt_library_coming_soon": "ライブラリの暗号化機能は今後実装予定です",
@ -203,6 +210,7 @@
"error": "エラー",
"error_loading_original_file": "オリジナルファイルの読み込みエラー",
"error_message": "エラー: {{error}}.",
"executable": "実行ファイル",
"expand": "詳細の表示",
"explorer": "エクスプローラー",
"explorer_settings": "エクスプローラーの設定",
@ -212,11 +220,11 @@
"export_library": "ライブラリのエクスポート",
"export_library_coming_soon": "ライブラリのエクスポート機能は今後実装予定です",
"export_library_description": "このライブラリをファイルにエクスポートします。",
"executable": "実行ファイル",
"extension": "拡張子",
"extensions": "拡張機能",
"extensions_description": "このクライアントの機能を拡張するための拡張機能をインストールします。",
"fahrenheit": "華氏",
"failed": "失敗した",
"failed_to_add_location": "ロケーションの追加に失敗",
"failed_to_cancel_job": "ジョブの中止に失敗",
"failed_to_clear_all_jobs": "全てのジョブの削除に失敗",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "ラベルの作成に失敗",
"failed_to_generate_thumbnails": "サムネイルの作成に失敗",
"failed_to_load_tags": "タグの読み込みに失敗",
"failed_to_open_file_title": "ファイルを開けませんでした",
"failed_to_open_file_body": "次のエラーが発生したため、ファイルを開けませんでした。{{error}}",
"failed_to_open_file_title": "ファイルを開けませんでした",
"failed_to_open_file_with": "{{data}} のファイルを開けませんでした。",
"failed_to_pause_job": "ジョブの一時停止に失敗",
"failed_to_reindex_location": "ロケーションの再インデックス化に失敗",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "フィードバックの送信中にエラーが発生しました。もう一度お試しください。",
"file": "ファイル",
"file_already_exist_in_this_location": "このファイルは既にこのロケーションに存在します",
"file_directory_name": "ファイル/ディレクトリ名",
"file_extension_description": "ファイル拡張子 (例: .mp4、.jpg、.txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "ファイルのインデックス化ルール",
"file_picker_not_supported": "このプラットフォームではファイルピッカーはサポートされていません",
"files": "ファイル",
"filter": "フィルター",
"filters": "フィルター",
"flash": "閃光",
"folder": "フォルダー",
"font": "フォント",
"for_library": "For library {{name}}",
"forced": "強制",
"forward": "Forward",
"free_of": "/ 容量",
"from": "from",
@ -272,6 +284,7 @@
"general_shortcut_description": "一般に使用されるショートカットキー。",
"generatePreviewMedia_label": "このロケーションのプレビューメディアを作成する",
"generate_checksums": "チェックサムを作成",
"glob_description": "グロブ (例: **/.git)",
"go_back": "戻る",
"go_to_labels": "ラベルに移動",
"go_to_location": "ロケーションに移動",
@ -290,6 +303,7 @@
"hide_in_sidebar": "サイドバーで非表示にする",
"hide_in_sidebar_description": "このタグがアプリのサイドバーに表示されないようにします。",
"hide_location_from_view": "ロケーションとそのコンテンツを非表示にする",
"hide_sidebar": "サイドバーを非表示にする",
"home": "ホーム",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,14 +318,29 @@
"indexer_rule_reject_allow_label": "デフォルトでは、インデックス化ルールはブラックリストとして機能し、その基準に一致する全てのファイルを除外します。このオプションを有効にすると、ホワイトリストに変換され、指定されたルールに一致するファイルのみをインデックス化するようになります。",
"indexer_rules": "インデックス化のルール",
"indexer_rules_error": "インデクス化ルールの取得エラー",
"indexer_rules_not_available": "利用可能なインデックス化ルールがありません",
"indexer_rules_info": "globを使用して無視するパスを指定できます。",
"indexer_rules_not_available": "利用可能なインデックス化ルールがありません",
"ingester": "インジェスター",
"ingester_description": "このプロセスは、受信したクラウド操作を取得し、メインの同期インジェスターに送信します。",
"injester_description": "このプロセスは、P2P 接続と Spacedrive Cloud から同期操作を取得し、ライブラリに適用します。",
"install": "インストール",
"install_update": "アップデートをインストールする",
"installed": "インストール完了",
"invalid_extension": "無効な拡張子",
"invalid_glob": "無効なグロブ",
"invalid_name": "無効な名前",
"invalid_path": "無効なパス",
"ipv4_ipv6_listeners_error": "IPv4・IPv6リスナーの作成エラー。ファイアウォールの設定を確認してください",
"ipv4_listeners_error": "IPv4リスナーの作成エラー。ファイアウォールの設定を確認してください",
"ipv6": "IPv6ネットワーキング",
"ipv6_description": "IPv6 ネットワークを使用したピアツーピア通信を許可する",
"ipv6_listeners_error": "IPv6リスナーの作成エラー。ファイアウォールの設定を確認してください",
"is": "が",
"is_not": "が次と異なる",
"item": "項目",
"item_size": "アイテムの表示サイズ",
"items": "項目",
"job_error_description": "ジョブはエラーで完了しました。\n詳細については、以下のエラー ログを参照してください。\nサポートが必要な場合は、サポートに連絡してこのエラーを伝えてください。",
"job_has_been_canceled": "ジョブが中止されました。",
"job_has_been_paused": "ジョブが一時停止されました。",
"job_has_been_removed": "ジョブが削除されました。",
@ -339,6 +368,8 @@
"libraries": "ライブラリ",
"libraries_description": "データベースには、すべてのライブラリデータとファイルのメタデータが含まれています。",
"library": "ライブラリ",
"library_bytes": "ライブラリのサイズ",
"library_bytes_description": "ライブラリ内のすべての場所の合計サイズ。",
"library_db_size": "インデックスサイズ",
"library_db_size_description": "ライブラリのデータベースのサイズ。",
"library_name": "ライブラリの名前",
@ -354,12 +385,12 @@
"local_locations": "ローカルロケーション",
"local_node": "ローカルノード",
"location": "ロケーション",
"location_other": "ロケーション",
"location_connected_tooltip": "ロケーションの変化が監視されています",
"location_disconnected_tooltip": "ロケーションの変更は監視されていません",
"location_display_name_info": "サイドバーに表示されるロケーションの名前を設定します。ディスク上の実際のフォルダの名前は変更されません。",
"location_empty_notice_message": "ファイルが見つかりません",
"location_is_already_linked": "ロケーションはすでにリンクされています",
"location_other": "ロケーション",
"location_path_info": "このロケーションへのパスで、ファイルが保存されるディスク上の場所です。",
"location_type": "ロケーションのタイプ",
"location_type_managed": "Spacedriveがあなたのためにファイルをソートします。ロケーションが空でなければ、「spacedrive」フォルダが作成されます。",
@ -368,6 +399,7 @@
"locations": "ロケーション",
"locations_description": "ローケーションを管理します。",
"lock": "ロック",
"lock_sidebar": "サイドバーをロックする",
"log_in": "ログイン",
"log_in_with_browser": "ブラウザでログイン",
"log_out": "ログアウト",
@ -385,6 +417,7 @@
"mesh": "メッシュ",
"miles": "マイル",
"mode": "モード",
"model": "モデル",
"modified": "更新",
"more": "その他の操作",
"more_actions": "その他の操作...",
@ -420,27 +453,33 @@
"new_update_available": "アップデートが利用可能です!",
"no_apps_available": "利用可能なアプリはありません",
"no_favorite_items": "お気に入りのアイテムはありません",
"no_git": "Git なし",
"no_hidden": "非表示なし",
"no_items_found": "アイテムが見つかりませんでした",
"no_jobs": "ジョブがありません。",
"no_labels": "ラベルなし",
"no_nodes_found": "Spacedriveードが見つかりませんでした。",
"no_os_protected": "OSが保護されていない",
"no_search_selected": "検索が選択されていません",
"no_tag_selected": "タグが選択されていません。",
"no_tags": "タグがありません。",
"no_tags_description": "タグが作成されていません",
"no_search_selected": "検索が選択されていません",
"node_name": "ノード名",
"nodes": "ノード",
"nodes_description": "このライブラリに接続されているードを管理します。ードとは、デバイスまたはサーバー上で動作するSpacedriveのバックエンドのインスタンスです。各ードはデータベースのコピーを持ち、P2P接続を介してリアルタイムで同期を行います。",
"none": "なし",
"normal": "Normal",
"note": "Note",
"not_you": "あなたではありませんか?",
"note": "Note",
"nothing_selected": "何も選択されていない",
"number_of_passes": "# パス数",
"object": "対象",
"object_id": "オブジェクトID",
"off": "オフ",
"offline": "オフライン",
"on": "の上",
"online": "オンライン",
"only_images": "画像のみ",
"open": "開く",
"open_file": "ファイルを開く",
"open_in_new_tab": "新しいタブで開く",
@ -454,6 +493,11 @@
"opening_trash": "ごみ箱を開く",
"or": "OR",
"overview": "概要",
"p2p_visibility": "P2Pの可視性",
"p2p_visibility_contacts_only": "連絡先のみ",
"p2p_visibility_description": "Spacedrive インストールを閲覧できるユーザーを設定します。",
"p2p_visibility_disabled": "無効",
"p2p_visibility_everyone": "みんな",
"package": "パッケージ",
"page": "ページ",
"page_shortcut_description": "アプリ内の各ページへの移動のショートカット",
@ -468,6 +512,7 @@
"path_to_save_do_the_thing": "「Do the thing」をクリックしたときに保存されるパス:",
"paths": "パス",
"pause": "一時停止",
"paused": "一時停止中",
"peers": "ピア",
"people": "人々",
"pin": "ピン留め",
@ -477,9 +522,13 @@
"preview_media_bytes_description": "サムネイルなどのすべてのプレビューメディアファイルの合計サイズ。",
"privacy": "プライバシー",
"privacy_description": "Spacedriveはプライバシーを遵守します。だからこそ、私達はオープンソースであり、ローカルでの利用を優先しています。プライバシーのために、どのようなデータが私達と共有されるのかを明示しています。",
"queued": "キューに入れられました",
"quick_preview": "クイック プレビュー",
"quick_rescan_started": "簡易再スキャンを開始",
"quick_view": "クイック プレビュー",
"random": "ランダム",
"receiver": "受信機",
"receiver_description": "このプロセスは、Spacedrive Cloud から操作を受信して​​保存します。",
"recent_jobs": "最近のジョブ",
"recents": "最近のアクセス",
"recents_notice_message": "ファイルを開くと最近のアクセスが表示されます。",
@ -490,6 +539,8 @@
"reject": "拒否",
"reject_files": "Reject files",
"reload": "更新",
"remote_access": "リモートアクセスを有効にする",
"remote_access_description": "他のノードがこのノードに直接接続できるようにします。",
"remove": "削除",
"remove_from_recents": "最近のアクセスから削除",
"rename": "名前の変更",
@ -503,6 +554,7 @@
"reset_confirmation": "本当にSpacedriveをリセットしますかあなたのデータベースは削除されます。",
"reset_to_continue": "古いバージョンのSpacedriveでライブラリを作成した可能性があります。アプリを使い続けるにはリセットしてください",
"reset_warning": "【既存のspacedriveのデータが失われます】",
"resolution": "解決",
"resources": "リソース",
"restore": "元に戻す",
"resume": "再開",
@ -524,10 +576,12 @@
"secure_delete": "安全に削除",
"security": "セキュリティ",
"security_description": "クライアントの安全性を保ちます。",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "送信",
"send_report": "レポートを送信",
"sender": "送信者",
"sender_description": "このプロセスでは、同期操作が Spacedrive Cloud に送信されます。",
"settings": "設定",
"setup": "セットアップ",
"share": "共有",
@ -545,23 +599,36 @@
"show_slider": "スライダーを表示",
"size": "サイズ",
"size_b": "バイト",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB",
"size_kb": "KB",
"size_kbs": "KB",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "TB",
"size_tbs": "TB",
"skip_login": "ログインをスキップ",
"software": "ソフトウェア",
"sort_by": "並べ替え",
"spacedrive_account": "Spacedriveアカウント",
"spacedrive_cloud": "Spacedriveクラウド",
"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": "Star on GitHub",
"start": "始める",
"starting": "起動...",
"starts_with": "が次で始まる",
"stop": "中止",
"stopping": "停止中...",
"success": "成功",
"support": "サポート",
"switch_to_grid_view": "グリッド ビューに切り替え",
@ -580,6 +647,8 @@
"tags": "タグ",
"tags_description": "タグを管理します。",
"tags_notice_message": "このタグに割り当てられたアイテムはありません。",
"task": "task",
"task_other": "tasks",
"telemetry_description": "有効にすると、アプリを改善するための詳細なテレメトリ・利用状況データが開発者に提供されます。無効にすると、基本的なデータ(実行状況、アプリバージョン、コアバージョン、プラットフォーム[モバイル/ウェブ/デスクトップなど])のみが送信されます。",
"telemetry_title": "テレメトリ・利用状況データを送信する",
"temperature": "温度",
@ -600,11 +669,6 @@
"toggle_path_bar": "パスバーの表示切り替え",
"toggle_quick_preview": "クイック プレビューを表示",
"toggle_sidebar": "サイドバーを切り替える",
"lock_sidebar": "サイドバーをロックする",
"hide_sidebar": "サイドバーを非表示にする",
"drag_to_resize": "ドラッグでサイズ変更",
"click_to_hide": "非表示にするにはクリック",
"click_to_lock": "ロックするにはクリック",
"tools": "ツール",
"total_bytes_capacity": "総容量",
"total_bytes_capacity_description": "ライブラリに接続されているすべてのノードの合計容量。アルファ版では誤った値が表示されることがあります。",
@ -616,8 +680,8 @@
"type": "種類",
"ui_animations": "UIアニメーション",
"ui_animations_description": "ダイアログやその他のUI要素を開いたり閉じたりするときにアニメーションを有効にします。",
"unnamed_location": "名前の無いロケーション",
"unknown": "不明",
"unnamed_location": "名前の無いロケーション",
"update": "アップデート",
"update_downloaded": "アップデートがダウンロードされました。インストールするためにSpacedriveを再起動します。",
"updated_successfully": "バージョン {{version}} へのアップデートが完了しました。",
@ -628,6 +692,7 @@
"vaccum_library": "バキュームライブラリ",
"vaccum_library_description": "データベースを再パックして、不要なスペースを解放します。",
"value": "値",
"value_required": "必要な値",
"version": "バージョン {{version}}",
"video": "ビデオ",
"video_preview_not_supported": "ビデオのプレビューには対応していません。",
@ -641,6 +706,7 @@
"your_account_description": "Spacedriveアカウントの情報",
"your_local_network": "ローカルネットワーク",
"your_privacy": "あなたのプライバシー",
"zoom": "ズーム",
"zoom_in": "拡大する",
"zoom_out": "縮小する"
}

View file

@ -9,6 +9,7 @@
"actions": "Acties",
"add": "Toevoegen",
"add_device": "Apparaat Toevoegen",
"add_file_extension_rule": "Voeg een bestandsextensie toe aan de huidige regel",
"add_filter": "Filter Toevoegen",
"add_library": "Bibliotheek Toevoegen",
"add_location": "Locatie Toevoegen",
@ -19,6 +20,7 @@
"add_tag": "Tag Toevoegen",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Geavanceerd",
"advanced_settings": "Geavanceerde Instellingen",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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",
"ascending": "Oplopend",
"ask_spacedrive": "Vraag het aan Space Drive",
"assign_tag": "Tag toewijzen",
"audio": "Audio",
"audio_preview_not_supported": "Audio voorvertoning wordt niet ondersteund.",
"auto": "Auto",
"back": "Terug",
"backfill_sync": "Synchronisatiebewerkingen voor opvulling",
"backfill_sync_description": "De bibliotheek wordt gepauzeerd totdat het aanvullen is voltooid",
"backups": "Backups",
"backups_description": "Beheer je Spacedrive database backups.",
"bitrate": "Bitsnelheid",
"blur_effects": "Blur Effecten",
"blur_effects_description": "Op sommige onderdelen wordt een blur effect toegepast.",
"book": "book",
"cancel": "Annuleren",
"cancel_selection": "Selectie annuleren",
"canceled": "Geannuleerd",
"celcius": "Celsius",
"change": "Wijzigen",
"change_view_setting_description": "Wijzig de standaardverkennerweergave",
@ -55,18 +62,25 @@
"changelog_page_title": "Wijzigingslogboek",
"checksum": "Controlegetal",
"clear_finished_jobs": "Ruim voltooide taken op",
"click_to_hide": "Klik om te verbergen",
"click_to_lock": "Klik om te vergrendelen",
"client": "Client",
"close": "Sluit",
"close_command_palette": "Sluit het opdrachtpalet",
"close_current_tab": "Huidig tabblad sluiten",
"cloud": "Cloud",
"cloud_drives": "Cloud Drives",
"cloud_sync": "Cloudsynchronisatie",
"cloud_sync_description": "Beheer de processen die uw bibliotheek synchroniseren met Spacedrive Cloud",
"clouds": "Clouds",
"code": "Code",
"collection": "Collection",
"color": "Kleur",
"color_profile": "Kleur profiel",
"color_space": "Kleur ruimte",
"coming_soon": "Komt binnenkort",
"contains": "bevatten",
"completed": "Voltooid",
"completed_with_errors": "Compleet met fouten",
"compress": "Comprimeer",
"config": "Config",
"configure_location": "Locatie Configureren",
@ -78,6 +92,7 @@
"connected": "Verbonden",
"contacts": "Contacten",
"contacts_description": "Beheer je contacten in Spacedrive.",
"contains": "bevatten",
"content_id": "Inhouds-ID",
"continue": "Verdergaan",
"convert_to": "Omzetten naar",
@ -112,8 +127,9 @@
"cut_object": "Object knippen",
"cut_success": "Items knippen",
"dark": "Donker",
"database": "Database",
"data_folder": "Gegevens Map",
"database": "Database",
"date": "Datum",
"date_accessed": "Datum geopend",
"date_created": "Datum gecreeërd",
"date_indexed": "Datum geïndexeerd",
@ -124,15 +140,6 @@
"debug_mode": "Debug modus",
"debug_mode_description": "Schakel extra debugging functies in de app in.",
"default": "Standaard",
"descending": "Aflopend",
"random": "Willekeurig",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6-netwerken",
"ipv6_description": "Maak peer-to-peer-communicatie mogelijk via IPv6-netwerken",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "is",
"is_not": "is niet",
"default_settings": "Standaard instellingen",
"delete": "Verwijder",
"delete_dialog_title": "Verwijder {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "Verwijder Tag",
"delete_tag_description": "Weet je zeker dat je deze tag wilt verwijderen? Dit kan niet ongedaan worden gemaakt en ge-tagde bestanden worden ontkoppeld.",
"delete_warning": "hiermee wordt je {{type}} permanent verwijderd, we hebben nog geen prullenbak...",
"descending": "Aflopend",
"description": "Omschrijving",
"deselect": "Deselecteer",
"details": "Details",
"device": "Apparaat",
"devices": "Apparaten",
"devices_coming_soon_tooltip": "Binnenkort beschikbaar! Deze alpha release bevat geen bibliotheeksynchronisatie, dit zal binnenkort beschikbaar zijn.",
"dialog": "Dialoog",
"dialog_shortcut_description": "Om acties en bewerkingen uit te voeren",
"direction": "Richting",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Uitgeschakeld",
"disconnected": "Losgekoppeld",
"display_formats": "Weergave Eenheden",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Klaar",
"dont_show_again": "Niet meer laten zien",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "Niet meer laten zien",
"dotfile": "Dotfile",
"double_click_action": "Dubbele klikactie",
"download": "Download",
"downloading_update": "Update wordt gedownload",
"drag_to_resize": "Verslepen om te wijzigen",
"duplicate": "Dupliceer",
"duplicate_object": "Object dupliceren",
"duplicate_success": "Items gedupliceerd",
@ -182,12 +192,9 @@
"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.",
"enable_sync": "Synchronisatie inschakelen",
"enable_sync_description": "Genereer synchronisatiebewerkingen voor alle bestaande gegevens in deze bibliotheek en configureer Spacedrive om synchronisatiebewerkingen te genereren wanneer er in de toekomst iets gebeurt.",
"enabled": "Ingeschakeld",
"encrypt": "Versleutel",
"encrypt_library": "Versleutel Bibliotheek",
"encrypt_library_coming_soon": "Bibliotheek versleuteling komt binnenkort",
@ -203,6 +210,7 @@
"error": "Fout",
"error_loading_original_file": "Fout bij het laden van het originele bestand",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Uitbreiden",
"explorer": "Verkenner",
"explorer_settings": "Explorer-instellingen",
@ -212,11 +220,11 @@
"export_library": "Exporteer Bibliotheek",
"export_library_coming_soon": "Bibliotheek Exporteren komt binnenkort",
"export_library_description": "Exporteer deze bibliotheek naar een bestand.",
"executable": "Executable",
"extension": "Extensie",
"extensions": "Extensies",
"extensions_description": "Installeer extensies om de functionaliteit van deze client uit te breiden.",
"fahrenheit": "Fahrenheit",
"failed": "Mislukt",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "Kan taak niet annuleren.",
"failed_to_clear_all_jobs": "Kan niet alle taken wissen.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Kan labels niet genereren",
"failed_to_generate_thumbnails": "Kan voorvertoningen niet genereren",
"failed_to_load_tags": "Kan tags niet laden",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "Kan taak niet pauzeren.",
"failed_to_reindex_location": "Kan locatie niet herindexeren",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Er is een fout opgetreden bij het verzenden van je feedback. Probeer het opnieuw.",
"file": "file",
"file_already_exist_in_this_location": "Bestand bestaat al op deze locatie",
"file_directory_name": "Bestands-/mapnaam",
"file_extension_description": "Bestandsextensie (bijvoorbeeld .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Bestand indexeringsregels",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filter",
"filters": "Filters",
"flash": "Flash",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Gedwongen",
"forward": "Vooruit",
"free_of": "vrij van",
"from": "van",
@ -272,6 +284,7 @@
"general_shortcut_description": "Algemene sneltoetsen",
"generatePreviewMedia_label": "Genereer voorvertoning media voor deze Locatie",
"generate_checksums": "Genereer Controlegetal",
"glob_description": "Glob (bijvoorbeeld **/.git)",
"go_back": "Ga Terug",
"go_to_labels": "Ga naar etiketten",
"go_to_location": "Ga naar locatie",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Verbergen in zijbalk",
"hide_in_sidebar_description": "Voorkom dat deze tag wordt weergegeven in de zijbalk van de app.",
"hide_location_from_view": "Verberg locatie en inhoud uit het zicht",
"hide_sidebar": "Zijbalk verbergen",
"home": "Thuismap",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,16 +318,31 @@
"indexer_rule_reject_allow_label": "Standaard functioneert een indexeringsregel als een Afwijzingslijst, wat resulteert in de uitsluiting van alle bestanden die aan de criteria voldoen. Als u deze optie inschakelt, wordt deze omgezet in een lijst met toegestane bestanden, waardoor de locatie alleen bestanden kan indexeren die aan de opgegeven regels voldoen.",
"indexer_rules": "Indexeringsregels",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Met Indexeringsregels kan je paden opgeven die je wilt negeren met behulp van globs.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Inslikken",
"ingester_description": "Dit proces neemt ontvangen cloudbewerkingen over en stuurt deze naar de hoofdsynchronisatie-opname.",
"injester_description": "Dit proces neemt synchronisatiebewerkingen van P2P-verbindingen en Spacedrive Cloud over en past deze toe op de bibliotheek.",
"install": "Installeer",
"install_update": "Installeer Update",
"installed": "Geïnstalleerd",
"invalid_extension": "Ongeldige extensie",
"invalid_glob": "Ongeldige glob",
"invalid_name": "Ongeldige naam",
"invalid_path": "Ongeldig pad",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6-netwerken",
"ipv6_description": "Maak peer-to-peer-communicatie mogelijk via IPv6-netwerken",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "is",
"is_not": "is niet",
"item": "item",
"item_size": "Item grootte",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"items": "items",
"job_error_description": "De klus is met fouten voltooid. \nZie het onderstaande foutenlogboek voor meer informatie. \nAls u hulp nodig heeft, neem dan contact op met de ondersteuning en geef deze fout op.",
"job_has_been_canceled": "Taak is geannuleerd.",
"job_has_been_paused": "Taak is gepauzeerd.",
"job_has_been_removed": "Taak is verwijderd.",
@ -342,6 +371,8 @@
"libraries": "Bibliotheken",
"libraries_description": "De database bevat all bibliotheek gegevens en metagegevens van bestanden.",
"library": "Bibliotheek",
"library_bytes": "Grootte van de bibliotheek",
"library_bytes_description": "De totale grootte van alle locaties in uw bibliotheek.",
"library_db_size": "Index grootte",
"library_db_size_description": "De grootte van de bibliotheekdatabase.",
"library_name": "Bibliotheek naam",
@ -357,13 +388,13 @@
"local_locations": "Lokale Locaties",
"local_node": "Lokale Node",
"location": "Locatie",
"location_one": "Locatie",
"location_other": "Locaties",
"location_connected_tooltip": "De locatie wordt in de gaten gehouden voor wijzigingen",
"location_disconnected_tooltip": "De locatie wordt niet in de gaten gehouden voor wijzigingen",
"location_display_name_info": "De naam van deze Locatie, deze wordt weergegeven in de zijbalk. Zal de daadwerkelijke map op schijf niet hernoemen.",
"location_empty_notice_message": "Er zijn hier geen bestanden gevonden",
"location_is_already_linked": "Locatie is al gekoppeld",
"location_one": "Locatie",
"location_other": "Locaties",
"location_path_info": "Het pad naar deze locatie, dit is waar bestanden op de schijf worden opgeslagen.",
"location_type": "Locatie Type",
"location_type_managed": "Spacedrive sorteert bestanden voor je. Als de Locatie niet leeg is, wordt er een map \"Spacedrive\" gecreëerd.",
@ -372,6 +403,7 @@
"locations": "Locaties",
"locations_description": "Beheer je opslaglocaties.",
"lock": "Vergrendel",
"lock_sidebar": "Zijbalk vergrendelen",
"log_in": "Ingelogd",
"log_in_with_browser": "Inloggen met browser",
"log_out": "Uitloggen",
@ -389,6 +421,7 @@
"mesh": "Mesh",
"miles": "Mijlen",
"mode": "Modus",
"model": "Model",
"modified": "Gewijzigd",
"more": "Meer",
"more_actions": "Meer acties...",
@ -424,27 +457,33 @@
"new_update_available": "Nieuwe update beschikbaar!",
"no_apps_available": "No apps available",
"no_favorite_items": "Geen favoriete items",
"no_git": "Geen Git",
"no_hidden": "Geen verborgen",
"no_items_found": "Geen items gevonden",
"no_jobs": "Geen taken.",
"no_labels": "Geen etiketten",
"no_nodes_found": "Er zijn geen Spacedrive-nodes gevonden.",
"no_os_protected": "Geen besturingssysteem beveiligd",
"no_search_selected": "Geen Zoekopdracht Geselecteerd",
"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",
"note": "Note",
"not_you": "Ben je dit niet?",
"note": "Note",
"nothing_selected": "Niets geselecteerd",
"number_of_passes": "# runs",
"object": "Object",
"object_id": "Object-ID",
"off": "Uit",
"offline": "Offline",
"on": "Op",
"online": "Online",
"only_images": "Alleen afbeeldingen",
"open": "Open",
"open_file": "Open Bestand",
"open_in_new_tab": "Openen in nieuw tabblad",
@ -458,6 +497,11 @@
"opening_trash": "Opening Trash",
"or": "OF",
"overview": "Overzicht",
"p2p_visibility": "P2P-zichtbaarheid",
"p2p_visibility_contacts_only": "Alleen contacten",
"p2p_visibility_description": "Configureer wie uw Spacedrive-installatie kan zien.",
"p2p_visibility_disabled": "Gehandicapt",
"p2p_visibility_everyone": "Iedereen",
"package": "Package",
"page": "Pagina",
"page_shortcut_description": "Verschillende pagina's in de app",
@ -472,6 +516,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Pad",
"pause": "Pauzeer",
"paused": "Gepauzeerd",
"peers": "Peers",
"people": "Personen",
"pin": "Pin",
@ -481,9 +526,13 @@
"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.",
"queued": "In de wachtrij",
"quick_preview": "Snelle Voorvertoning",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Geef snel weer",
"random": "Willekeurig",
"receiver": "Ontvanger",
"receiver_description": "Dit proces ontvangt en bewaart bewerkingen van Spacedrive Cloud.",
"recent_jobs": "Recente Taken",
"recents": "Recent",
"recents_notice_message": "Recente bestanden worden gemaakt wanneer u een bestand opent.",
@ -494,6 +543,8 @@
"reject": "Afwijzen",
"reject_files": "Reject files",
"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",
@ -507,6 +558,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Oplossing",
"resources": "Bronnen",
"restore": "Herstel",
"resume": "Hervat",
@ -528,10 +580,12 @@
"secure_delete": "Veilig verwijderen",
"security": "Veiligheid",
"security_description": "Houd je client veilig.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Verstuur",
"send_report": "Send Report",
"sender": "Afzender",
"sender_description": "Dit proces verzendt synchronisatiebewerkingen naar Spacedrive Cloud.",
"settings": "Instellingen",
"setup": "Instellen",
"share": "Delen",
@ -549,23 +603,36 @@
"show_slider": "Toon schuifregelaar",
"size": "Grootte",
"size_b": "B",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB's",
"size_kb": "KB",
"size_kbs": "KB's",
"size_mb": "MB",
"size_mbs": "MB's",
"size_tb": "TB",
"size_tbs": "TB's",
"skip_login": "Inloggen overslaan",
"software": "Software",
"sort_by": "Sorteer op",
"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",
"start": "Begin",
"starting": "Beginnend...",
"starts_with": "begint met",
"stop": "Stop",
"stopping": "Stoppen...",
"success": "Succes",
"support": "Ondersteuning",
"switch_to_grid_view": "Overschakelen naar rasterweergave",
@ -585,6 +652,9 @@
"tags": "Tags",
"tags_description": "Beheer je tags.",
"tags_notice_message": "Er zijn geen items toegewezen aan deze tag.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Schakel in om de ontwikkelaars te voorzien van gedetailleerde gebruik en telemetrie gegevens om de app te verbeteren. Schakel uit om alleen basisgegevens te verzenden: je status, app-versie, core versie en platform (bijvoorbeeld, mobiel, browser, of desktop).",
"telemetry_title": "Deel Aanvullende Telemetrie en Gebruiksgegevens",
"temperature": "Temperatuur",
@ -605,11 +675,6 @@
"toggle_path_bar": "Padbalk in-/uitschakelen",
"toggle_quick_preview": "Snelle voorvertoning in-/uitschakelen",
"toggle_sidebar": "Zijbalk omwisselen",
"lock_sidebar": "Zijbalk vergrendelen",
"hide_sidebar": "Zijbalk verbergen",
"drag_to_resize": "Verslepen om te wijzigen",
"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.",
@ -621,8 +686,8 @@
"type": "Type",
"ui_animations": "UI Animaties",
"ui_animations_description": "Dialogen en andere UI elementen zullen animeren bij het openen en sluiten.",
"unnamed_location": "Naamloze Locatie",
"unknown": "Unknown",
"unnamed_location": "Naamloze Locatie",
"update": "Bijwerken",
"update_downloaded": "Update gedownload. Herstart Spacedrive om te installeren",
"updated_successfully": "Succesvol bijgewerkt, je gebruikt nu versie {{version}}",
@ -633,6 +698,7 @@
"vaccum_library": "Vacuüm Bibliotheek",
"vaccum_library_description": "Pak uw database opnieuw in om onnodige ruimte vrij te maken.",
"value": "Waarde",
"value_required": "Waarde vereist",
"version": "Versie {{version}}",
"video": "Video",
"video_preview_not_supported": "Video voorvertoning wordt niet ondersteund.",
@ -646,6 +712,7 @@
"your_account_description": "Spacedrive account en informatie.",
"your_local_network": "Je Lokale Netwerk",
"your_privacy": "Jouw Privacy",
"zoom": "Zoom",
"zoom_in": "Inzoomen",
"zoom_out": "Uitzoomen"
}

View file

@ -9,6 +9,7 @@
"actions": "Действия",
"add": "Добавить",
"add_device": "Добавить устройство",
"add_file_extension_rule": "Добавить расширение файла к текущему правилу",
"add_filter": "Добавить фильтр",
"add_library": "Добавить библиотеку",
"add_location": "Добавить локацию",
@ -19,6 +20,7 @@
"add_tag": "Добавить тег",
"added_location": "Добавлена локация {{name}}",
"adding_location": "Добавляем локацию {{name}}",
"advanced": "Дополнительные",
"advanced_settings": "Дополнительные настройки",
"album": "Альбом",
"alias": "Псевдоним",
@ -34,19 +36,24 @@
"archive_coming_soon": "Архивация локаций скоро появится...",
"archive_info": "Извлечение данных из библиотеки в виде архива, полезно для сохранения структуры локаций.",
"are_you_sure": "Вы уверены?",
"ask_spacedrive": "Спросите Spacedrive",
"ascending": "По возрастанию",
"ask_spacedrive": "Спросите Spacedrive",
"assign_tag": "Присвоить тег",
"audio": "Аудио",
"audio_preview_not_supported": "Предварительный просмотр аудио не поддерживается.",
"auto": "Авто",
"back": "Назад",
"backfill_sync": "Операции полной синхронизации",
"backfill_sync_description": "Работа библиотеки приостановлена ​​до завершения синхронизации",
"backups": "Рез. копии",
"backups_description": "Управляйте вашими копиями базы данных Spacedrive",
"bitrate": "Битрейт",
"blur_effects": "Эффекты размытия",
"blur_effects_description": "К некоторым компонентам будет применен эффект размытия.",
"book": "Книга",
"cancel": "Отменить",
"cancel_selection": "Отменить выбор",
"canceled": "Отменена",
"celcius": "Цельсий",
"change": "Изменить",
"change_view_setting_description": "Изменить вида проводника по умолчанию",
@ -55,20 +62,27 @@
"changelog_page_title": "Список изменений",
"checksum": "Контрольная сумма",
"clear_finished_jobs": "Очистить законченные задачи",
"click_to_hide": "Щелкните, чтобы скрыть",
"click_to_lock": "Щелкните, чтобы заблокировать",
"client": "Клиент",
"close": "Закрыть",
"close_command_palette": "Закрыть панель команд",
"close_current_tab": "Закрыть текущую вкладку",
"cloud": "Облако",
"cloud_drives": "Облачные диски",
"cloud_sync": "Облачная синхронизация",
"cloud_sync_description": "Управляйте процессами синхронизации вашей библиотеки с Spacedrive Cloud",
"clouds": "Облачные хр.",
"code": "Код",
"collection": "Коллекция",
"color": "Цвет",
"color_profile": "Цветовой профиль",
"color_space": "Цветовое пространство",
"coming_soon": "Скоро появится",
"contains": "содержит",
"completed": "Завершена",
"completed_with_errors": "Завершена с ошибками",
"compress": "Сжать",
"config": "Конфигурация",
"config": "Конфиг",
"configure_location": "Настроить локацию",
"confirm": "Подтвердить",
"connect_cloud": "Подключите облако",
@ -78,6 +92,7 @@
"connected": "Подключено",
"contacts": "Контакты",
"contacts_description": "Управляйте контактами в Spacedrive.",
"contains": "содержит",
"content_id": "ID содержимого",
"continue": "Продолжить",
"convert_to": "Преобразовать в",
@ -112,8 +127,9 @@
"cut_object": "Вырезать объект",
"cut_success": "Элементы вырезаны",
"dark": "Тёмная",
"database": "База данных",
"data_folder": "Папка с данными",
"database": "База данных",
"date": "Дата",
"date_accessed": "Дата доступа",
"date_created": "Дата создания",
"date_indexed": "Дата индексации",
@ -124,15 +140,6 @@
"debug_mode": "Режим отладки",
"debug_mode_description": "Включите дополнительные функции отладки в приложении.",
"default": "Стандартный",
"descending": "По убыванию",
"random": "Случайный",
"ipv4_listeners_error": "Ошибка при создании слушателей IPv4. Пожалуйста, проверьте настройки брандмауэра!",
"ipv4_ipv6_listeners_error": "Ошибка при создании слушателей IPv4 и IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"ipv6": "Сеть IPv6",
"ipv6_description": "Разрешить одноранговую связь с использованием сети IPv6.",
"ipv6_listeners_error": "Ошибка при создании слушателей IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"is": "это",
"is_not": "не",
"default_settings": "Настройки по умолчанию",
"delete": "Удалить",
"delete_dialog_title": "Удалить {{type}} ({{prefix}})",
@ -148,16 +155,18 @@
"delete_tag": "Удалить тег",
"delete_tag_description": "Вы уверены, что хотите удалить этот тег? Это действие нельзя отменить, и тегнутые файлы будут отсоединены.",
"delete_warning": "Это действие удалит {{type}}. На данный момент это действие невозможно отменить. Если переместите в корзину, вы сможете восстановить {{type}} позже.",
"descending": "По убыванию",
"description": "Описание",
"deselect": "Отменить выбор",
"details": "Подробности",
"device": "Устройство",
"devices": "Устройства",
"devices_coming_soon_tooltip": "Скоро будет! Эта альфа-версия не включает синхронизацию библиотек, она будет готова очень скоро.",
"dialog": "Диалоговое окно",
"dialog_shortcut_description": "Выполнение действий и операций",
"direction": "Порядок",
"directory": "директорию",
"directories": "директории",
"directory": "директорию",
"disabled": "Отключено",
"disconnected": "Отключен",
"display_formats": "Форматы отображения",
@ -166,12 +175,13 @@
"do_the_thing": "Сделать дело",
"document": "Документ",
"done": "Готово",
"dont_show_again": "Не показывать снова",
"dont_have_any": "Похоже, у вас их нет!",
"dont_show_again": "Не показывать снова",
"dotfile": "Dot-файл",
"double_click_action": "Действие на двойной клик",
"download": "Скачать",
"downloading_update": "Загрузка обновления",
"drag_to_resize": "Перетащите для изм. размера",
"duplicate": "Дублировать",
"duplicate_object": "Дублировать объект",
"duplicate_success": "Элементы дублированы",
@ -182,12 +192,9 @@
"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": "Разрешите другим узлам напрямую подключаться к этому узлу.",
"enable_sync": "Включить синхронизацию",
"enable_sync_description": "Создайте операции синхронизации для всех существующих данных в этой библиотеке и настройте Spacedrive для создания операций синхронизации, когда что-то произойдет в будущем.",
"enabled": "Включено",
"encrypt": "Зашифровать",
"encrypt_library": "Зашифровать библиотеку",
"encrypt_library_coming_soon": "Шифрование библиотеки скоро появится",
@ -203,6 +210,7 @@
"error": "Ошибка",
"error_loading_original_file": "Ошибка при загрузке исходного файла",
"error_message": "Ошибка: {{error}}.",
"executable": "Исп. файл",
"expand": "Развернуть",
"explorer": "Проводник",
"explorer_settings": "Настройки проводника",
@ -212,11 +220,11 @@
"export_library": "Экспорт библиотеки",
"export_library_coming_soon": "Экспорт библиотеки скоро станет возможным",
"export_library_description": "Экспортируйте эту библиотеку в файл.",
"executable": "Исп. файл",
"extension": "Расширение",
"extensions": "Расширения",
"extensions_description": "Установите расширения, чтобы расширить функциональность этого клиента.",
"fahrenheit": "Фаренгейт",
"failed": "Не выполнено",
"failed_to_add_location": "Не удалось добавить локацию",
"failed_to_cancel_job": "Не удалось отменить задачу.",
"failed_to_clear_all_jobs": "Не удалось выполнить все задачи.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Не удалось сгенерировать ярлык",
"failed_to_generate_thumbnails": "Не удалось сгенерировать миниатюры",
"failed_to_load_tags": "Не удалось загрузить теги",
"failed_to_open_file_title": "Не удалось открыть файл",
"failed_to_open_file_body": "Не удалось открыть файл из-за ошибки: {{error}}",
"failed_to_open_file_title": "Не удалось открыть файл",
"failed_to_open_file_with": "Не удалось открыть файл при помощи: {{data}}",
"failed_to_pause_job": "Не удалось приостановить задачу.",
"failed_to_reindex_location": "Не удалось переиндексировать локацию",
@ -250,17 +258,21 @@
"feedback_toast_error_message": "При отправке вашего фидбека произошла ошибка. Пожалуйста, попробуйте еще раз.",
"file": "файл",
"file_already_exist_in_this_location": "Файл уже существует в этой локации",
"file_directory_name": "Имя файла/папки",
"file_extension_description": "Расширение файла (например, .mp4, .jpg, .txt)",
"file_from": "Файл {{file}} из {{name}}",
"file_indexing_rules": "Правила индексации файлов",
"file_picker_not_supported": "Система выбора файлов не поддерживается на этой платформе",
"files": "файлы",
"filter": "Фильтр",
"filters": "Фильтры",
"flash": "Вспышка",
"folder": "Папка",
"font": "Шрифт",
"for_library": "Для библиотеки {{name}}",
"forced": "Принудительная",
"forward": "Вперед",
"free_of": "своб. из",
"free_of": "свободно из",
"from": "с",
"full_disk_access": "Полный доступ к диску",
"full_disk_access_description": "Для обеспечения наилучшего качества работы нам необходим доступ к вашему диску, чтобы индексировать ваши файлы. Ваши файлы доступны только вам.",
@ -272,6 +284,7 @@
"general_shortcut_description": "Общие сочетания клавиш",
"generatePreviewMedia_label": "Создайте предварительный просмотр медиафайлов для этой локации",
"generate_checksums": "Генерация контрольных сумм",
"glob_description": "Шаблон (например, **/.git)",
"go_back": "Назад",
"go_to_labels": "Перейти к ярлыкам",
"go_to_location": "Перейти к месту",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Скрыть в боковой панели",
"hide_in_sidebar_description": "Запретите отображение этого тега в боковой панели.",
"hide_location_from_view": "Скрыть локацию и содержимое из вида",
"hide_sidebar": "Скрыть боковую панель",
"home": "Главная",
"hosted_locations": "Размещенные локации",
"hosted_locations_description": "Дополните локальное хранилище нашим облаком!",
@ -304,18 +318,32 @@
"indexer_rule_reject_allow_label": "По умолчанию правило индексатора работает как список отклоненных, в результате чего исключаются любые файлы, соответствующие его критериям. Включение этого параметра преобразует его в список разрешенных, позволяя локации индексировать только файлы, соответствующие заданным правилам.",
"indexer_rules": "Правила индексатора",
"indexer_rules_error": "Ошибка при извлечении правил индексатора",
"indexer_rules_not_available": "Нет доступных правил индексации",
"indexer_rules_info": "Правила индексатора позволяют указывать пути для игнорирования с помощью шаблонов.",
"indexer_rules_not_available": "Нет доступных правил индексации",
"ingester": "Приёмник",
"ingester_description": "Этот процесс принимает полученные облачные операции и отправляет их в основной приемник синхронизации.",
"injester_description": "Синхронизация между P2P-соединениями, Spacedrive Cloud и библиотекой.",
"install": "Установить",
"install_update": "Установить обновление",
"installed": "Установлено",
"invalid_extension": "Неверное расширение",
"invalid_glob": "Неверный шаблон",
"invalid_name": "Неверное имя",
"invalid_path": "Неверный путь",
"ipv4_ipv6_listeners_error": "Ошибка при создании слушателей IPv4 и IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"ipv4_listeners_error": "Ошибка при создании слушателей IPv4. Пожалуйста, проверьте настройки брандмауэра!",
"ipv6": "Сеть IPv6",
"ipv6_description": "Разрешить одноранговую связь с использованием сети IPv6.",
"ipv6_listeners_error": "Ошибка при создании слушателей IPv6. Пожалуйста, проверьте настройки брандмауэра!",
"is": "это",
"is_not": "не",
"item": "элемент",
"item_size": "Размер элемента",
"item_with_count_one": "{{count}} элемент",
"item_with_count_few": "{{count}} элементов",
"item_with_count_few": "{{count}} элемента",
"item_with_count_many": "{{count}} элементов",
"item_with_count_other": "{{count}} элементов",
"item_with_count_one": "{{count}} элемент",
"items": "элементы",
"job_error_description": "Задание выполнено с ошибками. \nДополнительную информацию см. в журнале ошибок ниже. \nЕсли вам нужна помощь, обратитесь в службу поддержки и сообщите об этой ошибке.",
"job_has_been_canceled": "Задача отменена.",
"job_has_been_paused": "Задача была приостановлена.",
"job_has_been_removed": "Задача была удалена",
@ -332,9 +360,9 @@
"keys": "Ключи",
"kilometers": "Километры",
"kind": "Тип",
"kind_one": "Тип",
"kind_few": "Типа",
"kind_many": "Типов",
"kind_one": "Тип",
"label": "Ярлык",
"labels": "Ярлыки",
"language": "Язык",
@ -345,6 +373,8 @@
"libraries": "Библиотеки",
"libraries_description": "База данных содержит все данные библиотек и метаданные файлов.",
"library": "Библиотека",
"library_bytes": "Размер библиотеки",
"library_bytes_description": "Общий размер всех локаций в вашей библиотеке.",
"library_db_size": "Размер индекса",
"library_db_size_description": "Размер базы данных библиотеки.",
"library_name": "Название библиотеки",
@ -360,14 +390,14 @@
"local_locations": "Локальные локации",
"local_node": "Локальный узел",
"location": "Локация",
"location_one": "Локация",
"location_few": "Локации",
"location_many": "Локаций",
"location_connected_tooltip": "Локация проверяется на изменения",
"location_disconnected_tooltip": "Локация не проверяется на изменения",
"location_display_name_info": "Имя этого месторасположения, которое будет отображаться на боковой панели. Это действие не переименует фактическую папку на диске.",
"location_empty_notice_message": "Файлы не найдены",
"location_few": "Локации",
"location_is_already_linked": "Локация уже привязана",
"location_many": "Локаций",
"location_one": "Локация",
"location_path_info": "Путь к этой локации, где файлы будут храниться на диске.",
"location_type": "Тип локации",
"location_type_managed": "Spacedrive отсортирует файлы для вас. Если локация не пуста, будет создана папка \"spacedrive\".",
@ -376,6 +406,7 @@
"locations": "Локации",
"locations_description": "Управляйте вашими локациями.",
"lock": "Заблокировать",
"lock_sidebar": "Заблокировать боковую панель",
"log_in": "Войти",
"log_in_with_browser": "Войдите в систему с помощью браузера",
"log_out": "Выйти из системы",
@ -393,6 +424,7 @@
"mesh": "Ячейка",
"miles": "Мили",
"mode": "Режим",
"model": "Модель",
"modified": "Изменен",
"more": "Подробнее",
"more_actions": "Дополнительные действия...",
@ -428,27 +460,33 @@
"new_update_available": "Доступно новое обновление!",
"no_apps_available": "Нет доступных приложений",
"no_favorite_items": "Нет избранных файлов",
"no_git": "Нет Git",
"no_hidden": "Нет скрытых",
"no_items_found": "Ничего не найдено",
"no_jobs": "Нет задач.",
"no_labels": "Нет ярлыков",
"no_nodes_found": "Узлы Spacedrive не найдены.",
"no_os_protected": "Без защиты ОС",
"no_search_selected": "Поиск не задан",
"no_tag_selected": "Тег не выбран",
"no_tags": "Нет тегов",
"no_tags_description": "Вы не создали ни одного тега",
"no_search_selected": "Поиск не задан",
"node_name": "Имя узла",
"nodes": "Узлы",
"nodes_description": "Управление узлами, подключенными к этой библиотеке. Узел - это экземпляр бэкэнда Spacedrive, работающий на устройстве или сервере. Каждый узел имеет свою копию базы данных и синхронизируется через одноранговые соединения в режиме реального времени.",
"none": "Не выбрано",
"normal": "Нормальный",
"note": "Заметка",
"not_you": "Не вы?",
"note": "Заметка",
"nothing_selected": "Ничего не выбрано",
"number_of_passes": "# пропусков",
"object": "Объект",
"object_id": "ID объекта",
"off": "Выключена",
"offline": "Оффлайн",
"on": "Включена",
"online": "Онлайн",
"only_images": "Только изображения",
"open": "Открыть",
"open_file": "Открыть файл",
"open_in_new_tab": "Открыть в новой вкладке",
@ -462,6 +500,11 @@
"opening_trash": "Открываем корзину",
"or": "Или",
"overview": "Обзор",
"p2p_visibility": "Видимость P2P",
"p2p_visibility_contacts_only": "Только контакты",
"p2p_visibility_description": "Настройте, кто может видеть вас внутри Spacedrive.",
"p2p_visibility_disabled": "Отключено",
"p2p_visibility_everyone": "Все",
"package": "Пакет",
"page": "Страница",
"page_shortcut_description": "Разные страницы в приложении",
@ -476,6 +519,7 @@
"path_to_save_do_the_thing": "Путь для сохранения при нажатии кнопки «Сделать дело»:",
"paths": "Пути",
"pause": "Пауза",
"paused": "Приостановлена",
"peers": "Участники",
"people": "Люди",
"pin": "Закрепить",
@ -485,9 +529,13 @@
"preview_media_bytes_description": "Общий размер всех медиафайлов предварительного просмотра (миниатюры и др.).",
"privacy": "Приватность",
"privacy_description": "Spacedrive создан для обеспечения конфиденциальности, поэтому у нас открытый исходный код и локальный подход. Поэтому мы четко указываем, какие данные передаются нам.",
"queued": "В очереди",
"quick_preview": "Быстрый просмотр",
"quick_rescan_started": "Начато быстрое сканирование",
"quick_view": "Быстрый просмотр",
"random": "Случайный",
"receiver": "Получатель",
"receiver_description": "Этот процесс получает и сохраняет операции из Spacedrive Cloud.",
"recent_jobs": "Недавние задачи",
"recents": "Недавнее",
"recents_notice_message": "Недавние создаются при открытии файла.",
@ -498,6 +546,8 @@
"reject": "Отклонить",
"reject_files": "Отклонить файлы",
"reload": "Перезагрузить",
"remote_access": "Включить удаленный доступ",
"remote_access_description": "Разрешите другим узлам напрямую подключаться к этому узлу.",
"remove": "Удалить",
"remove_from_recents": "Удалить из недавних",
"rename": "Переименовать",
@ -511,6 +561,7 @@
"reset_confirmation": "Вы уверены, что хотите сбросить настройки Spacedrive? Ваша база данных будет удалена.",
"reset_to_continue": "Мы обнаружили, что вы создали библиотеку с помощью старой версии Spacedrive. Пожалуйста, сбросьте настройки, чтобы продолжить работу с приложением!",
"reset_warning": "ВЫ ПОТЕРЯЕТЕ ВСЕ СУЩЕСТВУЮЩИЕ ДАННЫЕ SPACEDRIVE!",
"resolution": "Разрешение",
"resources": "Ресурсы",
"restore": "Восстановить",
"resume": "Возобновить",
@ -532,10 +583,12 @@
"secure_delete": "Безопасное удаление",
"security": "Безопасность",
"security_description": "Обеспечьте безопасность вашего клиента.",
"see_more": "Показать больше",
"see_less": "Показать меньше",
"see_more": "Показать больше",
"send": "Отправить",
"send_report": "Отправить отчёт",
"sender": "Отправитель",
"sender_description": "Этот процесс отправляет операции синхронизации в Spacedrive Cloud.",
"settings": "Настройки",
"setup": "Настроить",
"share": "Поделиться",
@ -553,23 +606,36 @@
"show_slider": "Показать ползунок",
"size": "Размер",
"size_b": "Б",
"size_bs": "Б",
"size_gb": "ГБ",
"size_gbs": "ГБ",
"size_kb": "КБ",
"size_kbs": "КБ",
"size_mb": "МБ",
"size_mbs": "МБ",
"size_tb": "ТБ",
"size_tbs": "ТБ",
"skip_login": "Пропустить вход",
"software": "Версия ПО",
"sort_by": "Сортировать по",
"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",
"start": "Начать",
"starting": "Начинаем...",
"starts_with": "начинается с",
"stop": "Остановить",
"stopping": "Останавливаем..",
"success": "Успех",
"support": "Поддержка",
"switch_to_grid_view": "Переключение в режим просмотра сеткой",
@ -577,19 +643,23 @@
"switch_to_media_view": "Переключение в режим просмотра мультимедиа",
"switch_to_next_tab": "Переключение на следующую вкладку",
"switch_to_previous_tab": "Переключение на предыдущую вкладку",
"sync": "Синхронизировать",
"sync": "Синхронизация",
"syncPreviewMedia_label": "Синхронизируйте медиафайлы предварительного просмотра для этой локации с вашими устройствами",
"sync_description": "Управляйте синхронизацией Spacedrive.",
"sync_with_library": "Синхронизация с библиотекой",
"sync_with_library_description": "Если эта опция включена, ваши привязанные клавиши будут синхронизированы с библиотекой, в противном случае они будут применяться только к этому клиенту.",
"system": "Системная",
"system": "Система",
"tag": "Тег",
"tag_one": "Тег",
"tag_few": "Тега",
"tag_many": "Тегов",
"tag_one": "Тег",
"tags": "Теги",
"tags_description": "Управляйте своими тегами.",
"tags_notice_message": "Этому тегу не присвоено ни одного элемента.",
"task": "задача",
"task_few": "задачи",
"task_many": "задач",
"task_one": "задача",
"telemetry_description": "Включите, чтобы предоставить разработчикам подробные данные об использовании и телеметрии для улучшения приложения. Выключите, чтобы отправлять только основные данные: статус активности, версию приложения, версию ядра и платформу (например, мобильную, веб- или настольную).",
"telemetry_title": "Предоставление дополнительной телеметрии и данных об использовании",
"temperature": "Температура",
@ -610,11 +680,6 @@
"toggle_path_bar": "Открыть адресную строку",
"toggle_quick_preview": "Открыть предпросмотр",
"toggle_sidebar": "Переключить боковую панель",
"lock_sidebar": "Заблокировать боковую панель",
"hide_sidebar": "Скрыть боковую панель",
"drag_to_resize": "Перетащите для изм. размера",
"click_to_hide": "Щелкните, чтобы скрыть",
"click_to_lock": "Щелкните, чтобы заблокировать",
"tools": "Инструменты",
"total_bytes_capacity": "Общая ёмкость",
"total_bytes_capacity_description": "Общая ёмкость всех узлов, подключенных к библиотеке. Может показывать неверные значения во время альфа-тестирования.",
@ -626,8 +691,8 @@
"type": "Тип",
"ui_animations": "UI Анимации",
"ui_animations_description": "Диалоговые окна и другие элементы пользовательского интерфейса будут анимироваться при открытии и закрытии.",
"unnamed_location": "Безымянная локация",
"unknown": "Неизвестный",
"unnamed_location": "Безымянная локация",
"update": "Обновить",
"update_downloaded": "Обновление загружено. Перезапустите Spacedrive для установки",
"updated_successfully": "Успешно обновлено, вы используете версию {{version}}",
@ -638,12 +703,13 @@
"vaccum_library": "Вакуум библиотеки",
"vaccum_library_description": "Переупакуйте базу данных, чтобы освободить ненужное пространство.",
"value": "Значение",
"value_required": "Требуется значение",
"version": "Версия {{version}}",
"video": "Видео",
"video_preview_not_supported": "Предварительный просмотр видео не поддерживается.",
"view_changes": "Просмотреть изменения",
"want_to_do_this_later": "Хотите сделать это позже?",
"web_page_archive": "Архив веб-страниц",
"web_page_archive": "Архив веб-страницы",
"website": "Веб-сайт",
"widget": "Виджет",
"with_descendants": "С потомками",
@ -651,6 +717,7 @@
"your_account_description": "Учетная запись Spacedrive и информация.",
"your_local_network": "Ваша локальная сеть",
"your_privacy": "Ваша конфиденциальность",
"zoom": "Увеличение",
"zoom_in": "Увеличить",
"zoom_out": "Уменьшить"
}

View file

@ -9,6 +9,7 @@
"actions": "Eylemler",
"add": "Ekle",
"add_device": "Cihaz Ekle",
"add_file_extension_rule": "Geçerli kurala dosya uzantısı ekleyin",
"add_filter": "Filtre Ekle",
"add_library": "Kütüphane Ekle",
"add_location": "Konum Ekle",
@ -19,6 +20,7 @@
"add_tag": "Etiket Ekle",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "Gelişmiş",
"advanced_settings": "Gelişmiş Ayarlar",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"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",
"ascending": "Yükselen",
"ask_spacedrive": "Spacedrive'a sor",
"assign_tag": "Etiket Ata",
"audio": "Audio",
"audio_preview_not_supported": "Ses önizlemesi desteklenmiyor.",
"auto": "Oto",
"back": "Geri",
"backfill_sync": "Dolgu Senkronizasyon İşlemleri",
"backfill_sync_description": "Dolgu tamamlanana kadar kitaplık duraklatıldı",
"backups": "Yedeklemeler",
"backups_description": "Spacedrive veritabanı yedeklerinizi yönetin.",
"bitrate": "Bit hızı",
"blur_effects": "Bulanıklaştırma Efektleri",
"blur_effects_description": "Bazı bileşenlere bulanıklaştırma efekti uygulanacak.",
"book": "book",
"cancel": "İptal",
"cancel_selection": "Seçimi iptal et",
"canceled": "İptal edildi",
"celcius": "Santigrat",
"change": "Değiştir",
"change_view_setting_description": "Varsayılan gezgin görünümünü değiştirme",
@ -55,18 +62,25 @@
"changelog_page_title": "Değişiklikler",
"checksum": "Kontrol Toplamı",
"clear_finished_jobs": "Biten işleri temizle",
"click_to_hide": "Gizlemek için tıklayın",
"click_to_lock": "Kilitlemek için tıklayın",
"client": "İstemci",
"close": "Kapat",
"close_command_palette": "Komut paletini kapat",
"close_current_tab": "Geçerli sekmeyi kapat",
"cloud": "Bulut",
"cloud_drives": "Bulut Sürücüler",
"cloud_sync": "Bulut Senkronizasyonu",
"cloud_sync_description": "Kitaplığınızı Spacedrive Cloud ile senkronize eden süreçleri yönetin",
"clouds": "Bulutlar",
"code": "Code",
"collection": "Collection",
"color": "Renk",
"color_profile": "Renk profili",
"color_space": "Renk alanı",
"coming_soon": "Yakında",
"contains": "içerir",
"completed": "Tamamlanmış",
"completed_with_errors": "Hatalarla tamamlandı",
"compress": "Sıkıştır",
"config": "Config",
"configure_location": "Konumu Yapılandır",
@ -78,6 +92,7 @@
"connected": "Bağlı",
"contacts": "Kişiler",
"contacts_description": "Kişilerinizi Spacedrive'da yönetin.",
"contains": "içerir",
"content_id": "İçerik ID",
"continue": "Devam Et",
"convert_to": "Dönüştür",
@ -112,8 +127,9 @@
"cut_object": "Nesneyi kes",
"cut_success": "Öğeleri kes",
"dark": "Karanlık",
"database": "Database",
"data_folder": "Veri Klasörü",
"database": "Database",
"date": "Tarih",
"date_accessed": "Erişilen tarih",
"date_created": "tarih oluşturuldu",
"date_indexed": "Dizine Eklenme Tarihi",
@ -124,15 +140,6 @@
"debug_mode": "Hata Ayıklama Modu",
"debug_mode_description": "Uygulama içinde ek hata ayıklama özelliklerini etkinleştir.",
"default": "Varsayılan",
"descending": "Alçalma",
"random": "Rastgele",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6 ağı",
"ipv6_description": "IPv6 ağını kullanarak eşler arası iletişime izin verin",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "o",
"is_not": "değil",
"default_settings": "Varsayılan ayarları",
"delete": "Sil",
"delete_dialog_title": "{{prefix}} {{type}} Sil",
@ -148,16 +155,18 @@
"delete_tag": "Etiketi Sil",
"delete_tag_description": "Bu etiketi silmek istediğinizden emin misiniz? Bu geri alınamaz ve etiketli dosyalar bağlantısız kalacak.",
"delete_warning": "Bu, {{type}}'ınızı sonsuza dek silecek, henüz çöp kutumuz yok...",
"descending": "Alçalma",
"description": "Açıklama",
"deselect": "Seçimi Kaldır",
"details": "Detaylar",
"device": "Cihaz",
"devices": "Cihazlar",
"devices_coming_soon_tooltip": "Yakında geliyor! Bu alfa sürümü kütüphane senkronizasyonunu içermiyor, çok yakında hazır olacak.",
"dialog": "İletişim kutusu",
"dialog_shortcut_description": "Eylemler ve işlemler gerçekleştirmek için",
"direction": "Yön",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "Devre Dışı",
"disconnected": "Bağlantı kesildi",
"display_formats": "Görüntüleme Formatları",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "Tamam",
"dont_show_again": "Tekrar gösterme",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "Tekrar gösterme",
"dotfile": "Dotfile",
"double_click_action": "Çift tıklama eylemi",
"download": "İndir",
"downloading_update": "Güncelleme İndiriliyor",
"drag_to_resize": "Boyutlandırmak için sürükleyin",
"duplicate": "Kopyala",
"duplicate_object": "Nesneyi çoğalt",
"duplicate_success": "Öğeler kopyalandı",
@ -182,12 +192,9 @@
"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.",
"enable_sync": "Senkronizasyonu Etkinleştir",
"enable_sync_description": "Bu kitaplıktaki tüm mevcut veriler için senkronizasyon işlemleri oluşturun ve gelecekte bir olay meydana geldiğinde Spacedrive'ı senkronizasyon işlemleri oluşturacak şekilde yapılandırın.",
"enabled": "Etkinleştirilmiş",
"encrypt": "Şifrele",
"encrypt_library": "Kütüphaneyi Şifrele",
"encrypt_library_coming_soon": "Kütüphane şifreleme yakında geliyor",
@ -203,6 +210,7 @@
"error": "Hata",
"error_loading_original_file": "Orijinal dosya yüklenirken hata",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "Genişlet",
"explorer": "Gezgin",
"explorer_settings": "Gezgin ayarları",
@ -212,11 +220,11 @@
"export_library": "Kütüphaneyi Dışa Aktar",
"export_library_coming_soon": "Kütüphaneyi dışa aktarma yakında geliyor",
"export_library_description": "Bu kütüphaneyi bir dosya olarak dışa aktar.",
"executable": "Executable",
"extension": "Uzatma",
"extensions": "Uzantılar",
"extensions_description": "Bu istemcinin işlevselliğini genişletmek için uzantıları yükleyin.",
"fahrenheit": "Fahrenheit",
"failed": "Arızalı",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "İş iptal edilemedi.",
"failed_to_clear_all_jobs": "Tüm işler temizlenemedi.",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "Etiketler oluşturulamadı",
"failed_to_generate_thumbnails": "Küçük resimler oluşturulamadı",
"failed_to_load_tags": "Etiketler yüklenemedi",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "İş duraklatılamadı.",
"failed_to_reindex_location": "Konum yeniden indekslenemedi",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "Geribildiriminizi gönderirken bir hata oluştu. Lütfen tekrar deneyin.",
"file": "file",
"file_already_exist_in_this_location": "Dosya bu konumda zaten mevcut",
"file_directory_name": "Dosya/Dizin adı",
"file_extension_description": "Dosya uzantısı (ör. .mp4, .jpg, .txt)",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "Dosya İndeksleme Kuralları",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "Filtre",
"filters": "Filtreler",
"flash": "Flaş",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "Zoraki",
"forward": "İleri",
"free_of": "ücretsiz",
"from": "gelen",
@ -272,6 +284,7 @@
"general_shortcut_description": "Genel kullanım kısayolları",
"generatePreviewMedia_label": "Bu Konum için önizleme medyası oluştur",
"generate_checksums": "Kontrol Toplamları Oluştur",
"glob_description": "Glob (ör. **/.git)",
"go_back": "Geri Dön",
"go_to_labels": "Etiketlere git",
"go_to_location": "Konuma git",
@ -290,6 +303,7 @@
"hide_in_sidebar": "Kenar çubuğunda gizle",
"hide_in_sidebar_description": "Bu etiketin uygulamanın kenar çubuğunda gösterilmesini engelle.",
"hide_location_from_view": "Konumu ve içeriğini görünümden gizle",
"hide_sidebar": "Kenar çubuğunu gizle",
"home": "Ev",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,16 +318,31 @@
"indexer_rule_reject_allow_label": "Varsayılan olarak, bir indeksleyici kuralı Red listesi olarak işlev görür ve kriterlerine uyan tüm dosyaları hariç tutar. Bu seçeneği etkinleştirerek onu bir İzin listesine dönüştürebilirsiniz, böylece yalnızca belirli kurallarını karşılayan dosyaları indeksler.",
"indexer_rules": "İndeksleyici Kuralları",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "Globları kullanarak göz ardı edilecek yolları belirtmenize olanak tanır.",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "Sindiren",
"ingester_description": "Bu süreç, alınan bulut işlemlerini alır ve bunları ana senkronizasyon alımına gönderir.",
"injester_description": "Bu işlem, senkronizasyon işlemlerini P2P bağlantılarından ve Spacedrive Cloud'dan alır ve bunları kitaplığa uygular.",
"install": "Yükle",
"install_update": "Güncellemeyi Yükle",
"installed": "Yüklendi",
"invalid_extension": "Geçersiz uzantı",
"invalid_glob": "Geçersiz küre",
"invalid_name": "Geçersiz isim",
"invalid_path": "Geçersiz yol",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6 ağı",
"ipv6_description": "IPv6 ağını kullanarak eşler arası iletişime izin verin",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "o",
"is_not": "değil",
"item": "item",
"item_size": "Öğe Boyutu",
"item_with_count_one": "{{count}} madde",
"item_with_count_other": "{{count}} maddeler",
"items": "items",
"job_error_description": "İş hatalarla tamamlandı. \nDaha fazla bilgi için lütfen aşağıdaki hata günlüğüne bakın. \nYardıma ihtiyacınız varsa lütfen desteğe başvurun ve bu hatayı bildirin.",
"job_has_been_canceled": "İş iptal edildi.",
"job_has_been_paused": "İş duraklatıldı.",
"job_has_been_removed": "İş kaldırıldı.",
@ -342,6 +371,8 @@
"libraries": "Kütüphaneler",
"libraries_description": "Veritabanı tüm kütüphane verilerini ve dosya metaverilerini içerir.",
"library": "Kütüphane",
"library_bytes": "Kitaplık boyutu",
"library_bytes_description": "Kitaplığınızdaki tüm konumların toplam boyutu.",
"library_db_size": "Dizin boyutu",
"library_db_size_description": "Kütüphane veritabanının boyutu.",
"library_name": "Kütüphane adı",
@ -357,13 +388,13 @@
"local_locations": "Yerel Konumlar",
"local_node": "Yerel Düğüm",
"location": "Konum",
"location_one": "Konum",
"location_other": "Konumlar",
"location_connected_tooltip": "Konum değişiklikler için izleniyor",
"location_disconnected_tooltip": "Konum değişiklikler için izlenmiyor",
"location_display_name_info": "Bu Konumun adı, kenar çubuğunda gösterilecek olan budur. Diskteki gerçek klasörü yeniden adlandırmaz.",
"location_empty_notice_message": "Burada dosya bulunamadı",
"location_is_already_linked": "Konum zaten bağlantılı",
"location_one": "Konum",
"location_other": "Konumlar",
"location_path_info": "Bu Konumun yolu, dosyaların disk üzerinde saklandığı yerdir.",
"location_type": "Konum Türü",
"location_type_managed": "Spacedrive sizin için dosyaları sıralar. Eğer Konum boş değilse, bir \"spacedrive\" klasörü oluşturulacak.",
@ -372,6 +403,7 @@
"locations": "Konumlar",
"locations_description": "Depolama konumlarınızı yönetin.",
"lock": "Kilitle",
"lock_sidebar": "Kenar çubuğunu kilitle",
"log_in": "Giriş yapmak",
"log_in_with_browser": "Tarayıcı ile Giriş Yap",
"log_out": ıkış Yap",
@ -389,6 +421,7 @@
"mesh": "Mesh",
"miles": "Mil",
"mode": "Mod",
"model": "Modeli",
"modified": "Değiştirildi",
"more": "Daha fazla",
"more_actions": "Daha fazla eylem...",
@ -424,27 +457,33 @@
"new_update_available": "Yeni Güncelleme Mevcut!",
"no_apps_available": "No apps available",
"no_favorite_items": "Favori öğe yok",
"no_git": "Git yok",
"no_hidden": "Gizli Yok",
"no_items_found": "hiç bir öğe bulunamadı",
"no_jobs": "İş yok.",
"no_labels": "Etiket yok",
"no_nodes_found": "Spacedrive düğümleri bulunamadı.",
"no_os_protected": "İşletim sistemi koruması yok",
"no_search_selected": "Arama Seçilmedi",
"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",
"note": "Note",
"not_you": "Siz değil misiniz?",
"note": "Note",
"nothing_selected": "Nothing selected",
"number_of_passes": "Geçiş sayısı",
"object": "Nesne",
"object_id": "Nesne ID",
"off": "Kapalı",
"offline": "Çevrimdışı",
"on": "Açık",
"online": "Çevrimiçi",
"only_images": "Yalnızca Görseller",
"open": "Aç",
"open_file": "Dosyayı Aç",
"open_in_new_tab": "Yeni sekmede aç",
@ -458,6 +497,11 @@
"opening_trash": "Opening Trash",
"or": "VEYA",
"overview": "Genel Bakış",
"p2p_visibility": "P2P Görünürlüğü",
"p2p_visibility_contacts_only": "Yalnızca Kişiler",
"p2p_visibility_description": "Spacedrive kurulumunuzu kimlerin görebileceğini yapılandırın.",
"p2p_visibility_disabled": "Engelli",
"p2p_visibility_everyone": "Herkes",
"package": "Package",
"page": "Sayfa",
"page_shortcut_description": "Uygulamadaki farklı sayfalar",
@ -472,6 +516,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Yollar",
"pause": "Durdur",
"paused": "Duraklatıldı",
"peers": "Eşler",
"people": "İnsanlar",
"pin": "Toplu iğne",
@ -481,9 +526,13 @@
"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.",
"queued": "Sıraya alındı",
"quick_preview": "Hızlı Önizleme",
"quick_rescan_started": "Quick rescan started",
"quick_view": "Hızlı bakış",
"random": "Rastgele",
"receiver": "Alıcı",
"receiver_description": "Bu süreç, işlemleri Spacedrive Cloud'dan alır ve saklar.",
"recent_jobs": "Son İşler",
"recents": "Son Kullanılanlar",
"recents_notice_message": "Son kullanılanlar, bir dosyayı açtığınızda oluşturulur.",
@ -494,6 +543,8 @@
"reject": "Reddet",
"reject_files": "Reject files",
"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",
@ -507,6 +558,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "Çözünürlük",
"resources": "Kaynaklar",
"restore": "Geri Yükle",
"resume": "Devam Ettir",
@ -528,10 +580,12 @@
"secure_delete": "Güvenli sil",
"security": "Güvenlik",
"security_description": "İstemcinizi güvende tutun.",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "Gönder",
"send_report": "Send Report",
"sender": "Gönderen",
"sender_description": "Bu işlem, senkronizasyon işlemlerini Spacedrive Cloud'a gönderir.",
"settings": "Ayarlar",
"setup": "Kurulum",
"share": "Paylaş",
@ -549,23 +603,36 @@
"show_slider": "Kaydırıcıyı Göster",
"size": "Boyut",
"size_b": "B",
"size_bs": "B",
"size_gb": "GB",
"size_gbs": "GB'ler",
"size_kb": "kB",
"size_kbs": "kB",
"size_mb": "MB",
"size_mbs": "MB'ler",
"size_tb": "TB",
"size_tbs": "TB'ler",
"skip_login": "Girişi Atla",
"software": "Yazılım",
"sort_by": "Sırala",
"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",
"start": "Başlangıç",
"starting": "Başlangıç...",
"starts_with": "ile başlar",
"stop": "Durdur",
"stopping": "Durduruluyor...",
"success": "Başarılı",
"support": "Destek",
"switch_to_grid_view": "Kılavuz görünümüne geç",
@ -585,6 +652,9 @@
"tags": "Etiketler",
"tags_description": "Etiketlerinizi yönetin.",
"tags_notice_message": "Bu etikete atanan öğe yok.",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "Uygulamayı iyileştirmek için geliştiricilere detaylı kullanım ve telemetri verisi sağlamak için AÇIK konumuna getirin. Yalnızca temel verileri göndermek için KAPALI konumuna getirin: faaliyet durumunuz, uygulama sürümü, çekirdek sürümü ve platform (örn., mobil, web veya masaüstü).",
"telemetry_title": "Ek Telemetri ve Kullanım Verisi Paylaş",
"temperature": "Sıcaklık",
@ -605,11 +675,6 @@
"toggle_path_bar": "Yol çubuğunu aç/kapat",
"toggle_quick_preview": "Hızlı önizlemeyi aç/kapat",
"toggle_sidebar": "Kenar çubuğunu değiştir",
"lock_sidebar": "Kenar çubuğunu kilitle",
"hide_sidebar": "Kenar çubuğunu gizle",
"drag_to_resize": "Boyutlandırmak için sürükleyin",
"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.",
@ -621,8 +686,8 @@
"type": "Tip",
"ui_animations": "UI Animasyonları",
"ui_animations_description": "Diyaloglar ve diğer UI elementleri açılırken ve kapanırken animasyon gösterecek.",
"unnamed_location": "İsimsiz Konum",
"unknown": "Unknown",
"unnamed_location": "İsimsiz Konum",
"update": "Güncelleme",
"update_downloaded": "Güncelleme İndirildi. Yüklemek için Spacedrive'ı yeniden başlatın",
"updated_successfully": "Başarıyla güncellendi, şu anda {{version}} sürümündesiniz",
@ -633,6 +698,7 @@
"vaccum_library": "Vakum Kütüphanesi",
"vaccum_library_description": "Gereksiz alanı boşaltmak için veritabanınızı yeniden paketleyin.",
"value": "Değer",
"value_required": "Gerekli değer",
"version": "Sürüm {{version}}",
"video": "Video",
"video_preview_not_supported": "Video ön izlemesi desteklenmiyor.",
@ -640,12 +706,13 @@
"want_to_do_this_later": "Bunu daha sonra yapmak ister misiniz?",
"web_page_archive": "Web Page Archive",
"website": "Web Sitesi",
"widget": "Widget",
"widget": "Araç",
"with_descendants": "Torunlarla",
"your_account": "Hesabınız",
"your_account_description": "Spacedrive hesabınız ve bilgileri.",
"your_local_network": "Yerel Ağınız",
"your_privacy": "Gizliliğiniz",
"zoom": "Yakınlaştır",
"zoom_in": "Yakınlaştır",
"zoom_out": "Uzaklaştır"
}

View file

@ -9,6 +9,7 @@
"actions": "操作",
"add": "添加",
"add_device": "添加设备",
"add_file_extension_rule": "将文件扩展名添加到当前规则",
"add_filter": "添加过滤器",
"add_library": "添加库",
"add_location": "添加位置",
@ -19,6 +20,7 @@
"add_tag": "添加标签",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "先进的",
"advanced_settings": "高级设置",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"archive_coming_soon": "存档位置功能即将推出……",
"archive_info": "将库中的数据作为存档提取,有利于保留位置的目录结构。",
"are_you_sure": "您确定吗?",
"ask_spacedrive": "询问 Spacedrive",
"ascending": "上升",
"ask_spacedrive": "询问 Spacedrive",
"assign_tag": "分配标签",
"audio": "Audio",
"audio_preview_not_supported": "不支持音频预览。",
"auto": "汽车",
"back": "返回",
"backfill_sync": "回填同步操作",
"backfill_sync_description": "库暂停直至回填完成",
"backups": "备份",
"backups_description": "管理您的 Spacedrive 数据库备份。",
"bitrate": "比特率",
"blur_effects": "模糊效果",
"blur_effects_description": "某些组件将应用模糊效果。",
"book": "book",
"cancel": "取消",
"cancel_selection": "取消选择",
"canceled": "取消",
"celcius": "摄氏度",
"change": "更改",
"change_view_setting_description": "更改默认资源管理器视图",
@ -55,18 +62,25 @@
"changelog_page_title": "更新日志",
"checksum": "校验和",
"clear_finished_jobs": "清除已完成的任务",
"click_to_hide": "点击隐藏",
"click_to_lock": "点击锁定",
"client": "客户端",
"close": "关闭",
"close_command_palette": "关闭命令面板",
"close_current_tab": "关闭当前标签页",
"cloud": "雲",
"cloud_drives": "云盘",
"cloud_sync": "云同步",
"cloud_sync_description": "管理将您的库与 Spacedrive Cloud 同步的流程",
"clouds": "云服务",
"code": "Code",
"collection": "Collection",
"color": "颜色",
"color_profile": "颜色配置文件",
"color_space": "色彩空间",
"coming_soon": "即将推出",
"contains": "包含",
"completed": "完全的",
"completed_with_errors": "已完成但有错误",
"compress": "压缩",
"config": "Config",
"configure_location": "配置位置",
@ -78,6 +92,7 @@
"connected": "已连接",
"contacts": "联系人",
"contacts_description": "在 Spacedrive 中管理您的联系人。",
"contains": "包含",
"content_id": "内容ID",
"continue": "继续",
"convert_to": "转换为",
@ -112,8 +127,9 @@
"cut_object": "剪切对象",
"cut_success": "剪切项目",
"dark": "Dark",
"database": "Database",
"data_folder": "数据文件夹",
"database": "Database",
"date": "日期",
"date_accessed": "访问日期",
"date_created": "创建日期",
"date_indexed": "索引日期",
@ -124,15 +140,6 @@
"debug_mode": "调试模式",
"debug_mode_description": "启用本应用额外的调试功能。",
"default": "默认",
"descending": "降序",
"random": "随机的",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6网络",
"ipv6_description": "允许使用 IPv6 网络进行点对点通信",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "是",
"is_not": "不是",
"default_settings": "默认设置",
"delete": "删除",
"delete_dialog_title": "删除 {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "删除标签",
"delete_tag_description": "您确定要删除这个标签吗?此操作不能撤销,打过标签的文件将会取消标签。",
"delete_warning": "警告:这将永久删除您的{{type}},我们目前还没有回收站…",
"descending": "降序",
"description": "描述",
"deselect": "取消选择",
"details": "详情",
"device": "设备",
"devices": "设备",
"devices_coming_soon_tooltip": "即将推出!本 Alpha 版本不支持库同步,此功能很快就会准备就绪。",
"dialog": "对话框",
"dialog_shortcut_description": "执行操作",
"direction": "方向",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "已禁用",
"disconnected": "已断开连接",
"display_formats": "显示格式",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "完成",
"dont_show_again": "不再显示",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "不再显示",
"dotfile": "Dotfile",
"double_click_action": "双击操作",
"download": "下载",
"downloading_update": "正在下载更新",
"drag_to_resize": "拖动以调整大小",
"duplicate": "复制",
"duplicate_object": "复制对象",
"duplicate_success": "项目已复制",
@ -182,12 +192,9 @@
"enable_networking": "启用网络",
"enable_networking_description": "允许您的节点与您周围的其他 Spacedrive 节点进行通信。",
"enable_networking_description_required": "库的同步和 Spacedrop 需要开启本功能!",
"spacedrop": "太空空投可见度",
"spacedrop_everyone": "每个人",
"spacedrop_contacts_only": "仅限联系人",
"spacedrop_disabled": "残疾人",
"remote_access": "启用远程访问",
"remote_access_description": "使其他节点能够直接连接到该节点。",
"enable_sync": "启用同步",
"enable_sync_description": "为该库中的所有现有数据生成同步操作,并配置 Spacedrive 以在将来发生事情时生成同步操作。",
"enabled": "启用",
"encrypt": "加密",
"encrypt_library": "加密库",
"encrypt_library_coming_soon": "库加密即将推出",
@ -203,6 +210,7 @@
"error": "错误",
"error_loading_original_file": "加载原始文件出错",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "展开",
"explorer": "资源管理器",
"explorer_settings": "资源管理器设置",
@ -212,11 +220,11 @@
"export_library": "导出库",
"export_library_coming_soon": "导出库功能即将推出",
"export_library_description": "将这个库导出到一个文件。",
"executable": "Executable",
"extension": "扩大",
"extensions": "扩展",
"extensions_description": "安装扩展来扩展这个客户端的功能。",
"fahrenheit": "华氏度",
"failed": "失败的",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "取消任务失败。",
"failed_to_clear_all_jobs": "清除所有任务失败。",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "生成标签失败",
"failed_to_generate_thumbnails": "生成缩略图失败",
"failed_to_load_tags": "加载标签失败",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "暂停任务失败。",
"failed_to_reindex_location": "重索引位置失败",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "提交反馈时出错,请重试。",
"file": "file",
"file_already_exist_in_this_location": "文件已存在于此位置",
"file_directory_name": "文件/目录名称",
"file_extension_description": "文件扩展名(例如 .mp4、.jpg、.txt",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "文件索引规则",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "筛选",
"filters": "过滤器",
"flash": "闪光",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "被迫",
"forward": "前进",
"free_of": "自由的",
"from": "从",
@ -272,6 +284,7 @@
"general_shortcut_description": "通用快捷键",
"generatePreviewMedia_label": "为这个位置生成预览媒体",
"generate_checksums": "生成校验和",
"glob_description": "全局(例如 **/.git",
"go_back": "返回",
"go_to_labels": "转到标签",
"go_to_location": "前往地点",
@ -290,6 +303,7 @@
"hide_in_sidebar": "在侧边栏中隐藏",
"hide_in_sidebar_description": "阻止此标签在应用的侧边栏中显示。",
"hide_location_from_view": "隐藏位置和内容的视图",
"hide_sidebar": "隐藏侧边栏",
"home": "我的文档",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,14 +318,29 @@
"indexer_rule_reject_allow_label": "默认情况下,索引器规则作为拒绝列表,排除与其匹配的任何文件。启用此选项将其变成允许列表,仅索引符合其规定规则的位置的文件。",
"indexer_rules": "索引器规则",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "索引器规则允许您使用通配符指定要忽略的路径。",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "摄取者",
"ingester_description": "此过程接收接收到的云操作并将它们发送到主同步接收器。",
"injester_description": "此过程从 P2P 连接和 Spacedrive Cloud 获取同步操作,并将其应用到库。",
"install": "安装",
"install_update": "安装更新",
"installed": "已安装",
"invalid_extension": "无效的扩展名",
"invalid_glob": "无效的全局变量",
"invalid_name": "名称无效",
"invalid_path": "路径无效",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6网络",
"ipv6_description": "允许使用 IPv6 网络进行点对点通信",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "是",
"is_not": "不是",
"item": "item",
"item_size": "项目大小",
"items": "items",
"job_error_description": "作业已完成,但有错误。\n请参阅下面的错误日志以获取更多信息。\n如果您需要帮助请联系支持人员并提供此错误。",
"job_has_been_canceled": "作业已取消。",
"job_has_been_paused": "作业已暂停。",
"job_has_been_removed": "作业已移除。",
@ -339,6 +368,8 @@
"libraries": "库",
"libraries_description": "数据库包含所有库的数据和文件的元数据。",
"library": "库",
"library_bytes": "库大小",
"library_bytes_description": "图书馆中所有位置的总大小。",
"library_db_size": "索引大小",
"library_db_size_description": "图书馆数据库的大小。",
"library_name": "库名称",
@ -354,12 +385,12 @@
"local_locations": "本地位置",
"local_node": "本地节点",
"location": "地点",
"location_other": "地点",
"location_connected_tooltip": "位置正在监视变化",
"location_disconnected_tooltip": "位置未被监视以检查更改",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
"location_empty_notice_message": "这个地方空空如也",
"location_is_already_linked": "位置已经链接",
"location_other": "地点",
"location_path_info": "此位置的路径,这是文件在磁盘上的存储位置。",
"location_type": "位置类型",
"location_type_managed": "Spacedrive 将为您排序文件。如果位置不为空将创建一个“spacedrive”文件夹。",
@ -368,6 +399,7 @@
"locations": "位置",
"locations_description": "管理您的存储位置。",
"lock": "锁定",
"lock_sidebar": "锁定侧边栏",
"log_in": "登录",
"log_in_with_browser": "使用浏览器登录",
"log_out": "退出登录",
@ -385,6 +417,7 @@
"mesh": "Mesh",
"miles": "英里",
"mode": "模式",
"model": "模型",
"modified": "已修改",
"more": "更多",
"more_actions": "更多操作…",
@ -420,27 +453,33 @@
"new_update_available": "新版本可用!",
"no_apps_available": "No apps available",
"no_favorite_items": "没有最喜欢的物品",
"no_git": "没有 Git",
"no_hidden": "无隐藏",
"no_items_found": "找不到任何项目",
"no_jobs": "没有任务。",
"no_labels": "无标签",
"no_nodes_found": "找不到 Spacedrive 节点.",
"no_os_protected": "没有操作系统受到保护",
"no_search_selected": "未选择搜索",
"no_tag_selected": "没有选中的标签",
"no_tags": "没有标签",
"no_tags_description": "您还没有创建任何标签",
"no_search_selected": "未选择搜索",
"node_name": "节点名称",
"nodes": "节点",
"nodes_description": "管理连接到此库的节点。节点是在设备或服务器上运行的Spacedrive后端的实例。每个节点都携带数据库副本并通过点对点连接实时同步。",
"none": "无",
"normal": "普通",
"note": "Note",
"not_you": "不是您?",
"note": "Note",
"nothing_selected": "未选择任何内容",
"number_of_passes": "通过次数",
"object": "目的",
"object_id": "对象ID",
"off": "离开",
"offline": "离线",
"on": "在",
"online": "在线",
"only_images": "仅图像",
"open": "打开",
"open_file": "打开文件",
"open_in_new_tab": "在新标签页中打开",
@ -454,6 +493,11 @@
"opening_trash": "Opening Trash",
"or": "或",
"overview": "概览",
"p2p_visibility": "P2P 可见性",
"p2p_visibility_contacts_only": "仅限联系人",
"p2p_visibility_description": "配置谁可以看到您的 Spacedrive 安装。",
"p2p_visibility_disabled": "残疾人",
"p2p_visibility_everyone": "每个人",
"package": "Package",
"page": "页面",
"page_shortcut_description": "应用程序中的不同页面",
@ -468,6 +512,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "路径",
"pause": "暂停",
"paused": "已暂停",
"peers": "个端点",
"people": "人们",
"pin": "别针",
@ -477,9 +522,13 @@
"preview_media_bytes_description": "所有预览媒体文件(例如缩略图)的总大小。",
"privacy": "隐私",
"privacy_description": "Spacedrive是为隐私而构建的这就是为什么我们是开源的以本地优先。因此我们会非常明确地告诉您与我们分享了什么数据。",
"queued": "排队",
"quick_preview": "快速预览",
"quick_rescan_started": "Quick rescan started",
"quick_view": "快速查看",
"random": "随机的",
"receiver": "接收者",
"receiver_description": "该进程接收并存储来自 Spacedrive Cloud 的操作。",
"recent_jobs": "最近的作业",
"recents": "最近使用",
"recents_notice_message": "打开文件时会创建最近的文件。",
@ -490,6 +539,8 @@
"reject": "拒绝",
"reject_files": "Reject files",
"reload": "重新加载",
"remote_access": "启用远程访问",
"remote_access_description": "使其他节点能够直接连接到该节点。",
"remove": "移除",
"remove_from_recents": "从最近使用中移除",
"rename": "重命名",
@ -503,6 +554,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "解决",
"resources": "资源",
"restore": "恢复",
"resume": "恢复",
@ -524,10 +576,12 @@
"secure_delete": "安全删除",
"security": "安全",
"security_description": "确保您的客户端安全。",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "发送",
"send_report": "Send Report",
"sender": "发件人",
"sender_description": "此过程将同步操作发送到 Spacedrive Cloud。",
"settings": "设置",
"setup": "设置",
"share": "分享",
@ -545,23 +599,36 @@
"show_slider": "显示滑块",
"size": "大小",
"size_b": "乙",
"size_bs": "乙",
"size_gb": "国标",
"size_gbs": "GB",
"size_kb": "千字节",
"size_kbs": "千字节",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "结核病",
"size_tbs": "TB",
"skip_login": "跳过登录",
"software": "软件",
"sort_by": "排序依据",
"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",
"start": "开始",
"starting": "开始...",
"starts_with": "以。。开始",
"stop": "停止",
"stopping": "停止...",
"success": "成功",
"support": "支持",
"switch_to_grid_view": "切换到网格视图",
@ -580,6 +647,8 @@
"tags": "标签",
"tags_description": "管理您的标签。",
"tags_notice_message": "没有项目分配给该标签。",
"task": "task",
"task_other": "tasks",
"telemetry_description": "启用以向开发者提供详细的使用情况和遥测数据来改善应用程序。禁用则将只发送基本数据您的活动状态、应用版本、应用内核版本以及平台例如移动端、web 端或桌面端)。",
"telemetry_title": "共享额外的遥测和使用数据",
"temperature": "温度",
@ -600,11 +669,6 @@
"toggle_path_bar": "切换显示路径栏",
"toggle_quick_preview": "切换快速预览",
"toggle_sidebar": "切换侧边栏",
"lock_sidebar": "锁定侧边栏",
"hide_sidebar": "隐藏侧边栏",
"drag_to_resize": "拖动以调整大小",
"click_to_hide": "点击隐藏",
"click_to_lock": "点击锁定",
"tools": "工具",
"total_bytes_capacity": "总容量",
"total_bytes_capacity_description": "连接到库的所有节点的总容量。 在 Alpha 期间可能会显示不正确的值。",
@ -616,8 +680,8 @@
"type": "类型",
"ui_animations": "用户界面动画",
"ui_animations_description": "打开和关闭时对话框和其他用户界面元素将产生动画效果。",
"unnamed_location": "未命名位置",
"unknown": "Unknown",
"unnamed_location": "未命名位置",
"update": "更新",
"update_downloaded": "更新已下载。重新启动 Spacedrive 以安装",
"updated_successfully": "成功更新,您当前使用的是版本 {{version}}",
@ -628,6 +692,7 @@
"vaccum_library": "真空库",
"vaccum_library_description": "重新打包数据库以释放不必要的空间。",
"value": "值",
"value_required": "所需值",
"version": "版本 {{version}}",
"video": "Video",
"video_preview_not_supported": "不支持视频预览。",
@ -635,12 +700,13 @@
"want_to_do_this_later": "想稍后再做吗?",
"web_page_archive": "Web Page Archive",
"website": "网站",
"widget": "Widget",
"widget": "小部件",
"with_descendants": "与后代",
"your_account": "您的账户",
"your_account_description": "Spacedrive账号和信息。",
"your_local_network": "您的本地网络",
"your_privacy": "您的隐私",
"zoom": "飞涨",
"zoom_in": "放大",
"zoom_out": "缩小"
}

View file

@ -9,6 +9,7 @@
"actions": "行動",
"add": "新增",
"add_device": "新增裝置",
"add_file_extension_rule": "將檔案副檔名新增至目前規則",
"add_filter": "新增過濾器",
"add_library": "新增圖書館",
"add_location": "新增位置",
@ -19,6 +20,7 @@
"add_tag": "添加標籤",
"added_location": "Added Location {{name}}",
"adding_location": "Adding Location {{name}}",
"advanced": "先進的",
"advanced_settings": "高級設置",
"album": "Album",
"alias": "Alias",
@ -34,19 +36,24 @@
"archive_coming_soon": "存檔位置功能即將開通...",
"archive_info": "將數據從圖書館中提取出來作為存檔,用途是保存位置文件夾結構。",
"are_you_sure": "您確定嗎?",
"ask_spacedrive": "詢問 Spacedrive",
"ascending": "上升",
"ask_spacedrive": "詢問 Spacedrive",
"assign_tag": "指定標籤",
"audio": "Audio",
"audio_preview_not_supported": "不支援音頻預覽。",
"auto": "汽車",
"back": "返回",
"backfill_sync": "回填同步操作",
"backfill_sync_description": "庫暫停至回填完成",
"backups": "備份",
"backups_description": "管理您的Spacedrive數據庫備份。",
"bitrate": "位元率",
"blur_effects": "模糊效果",
"blur_effects_description": "某些組件將應用模糊效果。",
"book": "book",
"cancel": "取消",
"cancel_selection": "取消選擇",
"canceled": "取消",
"celcius": "攝氏",
"change": "更改",
"change_view_setting_description": "變更預設資源管理器視圖",
@ -55,18 +62,25 @@
"changelog_page_title": "變更日誌",
"checksum": "校驗和",
"clear_finished_jobs": "清除已完成的工作",
"click_to_hide": "點擊隱藏",
"click_to_lock": "點擊鎖定",
"client": "客戶端",
"close": "關閉",
"close_command_palette": "關閉命令面板",
"close_current_tab": "關閉目前分頁",
"cloud": "雲",
"cloud_drives": "雲端硬碟",
"cloud_sync": "雲端同步",
"cloud_sync_description": "管理將您的庫與 Spacedrive Cloud 同步的流程",
"clouds": "雲",
"code": "Code",
"collection": "Collection",
"color": "顏色",
"color_profile": "顏色設定檔",
"color_space": "色彩空間",
"coming_soon": "即將推出",
"contains": "包含",
"completed": "完全的",
"completed_with_errors": "已完成但有錯誤",
"compress": "壓縮",
"config": "Config",
"configure_location": "配置位置",
@ -78,6 +92,7 @@
"connected": "已連接",
"contacts": "聯繫人",
"contacts_description": "在Spacedrive中管理您的聯繫人。",
"contains": "包含",
"content_id": "內容 ID",
"continue": "繼續",
"convert_to": "轉換為",
@ -112,8 +127,9 @@
"cut_object": "剪下物件",
"cut_success": "剪下項目",
"dark": "黑暗的",
"database": "Database",
"data_folder": "數據文件夾",
"database": "Database",
"date": "日期",
"date_accessed": "訪問日期",
"date_created": "建立日期",
"date_indexed": "索引日期",
@ -124,15 +140,6 @@
"debug_mode": "除錯模式",
"debug_mode_description": "在應用程序中啟用額外的除錯功能。",
"default": "默認",
"descending": "降序",
"random": "隨機的",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv6": "IPv6網路",
"ipv6_description": "允許使用 IPv6 網路進行點對點通訊",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "伊斯蘭國",
"is_not": "不是",
"default_settings": "預設設定",
"delete": "刪除",
"delete_dialog_title": "刪除 {{prefix}} {{type}}",
@ -148,16 +155,18 @@
"delete_tag": "刪除標籤",
"delete_tag_description": "您確定要刪除這個標籤嗎?這不能撤銷,並且帶有標籤的文件將被取消鏈接。",
"delete_warning": "這將永遠刪除您的{{type}},我們還沒有垃圾箱...",
"descending": "降序",
"description": "描述",
"deselect": "取消選擇",
"details": "詳情",
"device": "裝置",
"devices": "設備",
"devices_coming_soon_tooltip": "即將推出這個alpha版本不包括圖書館同步它將很快準備好。",
"dialog": "對話框",
"dialog_shortcut_description": "執行操作和操作",
"direction": "方向",
"directory": "directory",
"directories": "directories",
"directory": "directory",
"disabled": "已禁用",
"disconnected": "已斷開連接",
"display_formats": "顯示格式",
@ -166,12 +175,13 @@
"do_the_thing": "Do the thing",
"document": "Document",
"done": "完成",
"dont_show_again": "不再顯示",
"dont_have_any": "Looks like you don't have any!",
"dont_show_again": "不再顯示",
"dotfile": "Dotfile",
"double_click_action": "雙擊操作",
"download": "下載",
"downloading_update": "下載更新",
"drag_to_resize": "拖曳調整大小",
"duplicate": "複製",
"duplicate_object": "複製物件",
"duplicate_success": "項目已複製",
@ -182,12 +192,9 @@
"enable_networking": "啟用網絡",
"enable_networking_description": "允許您的節點與您周圍的其他 Spacedrive 節點進行通訊。",
"enable_networking_description_required": "庫同步或 Spacedrop 所需!",
"spacedrop": "太空空投可見度",
"spacedrop_everyone": "每個人",
"spacedrop_contacts_only": "限聯絡人",
"spacedrop_disabled": "殘障人士",
"remote_access": "啟用遠端存取",
"remote_access_description": "使其他節點能夠直接連接到該節點。",
"enable_sync": "啟用同步",
"enable_sync_description": "為該庫中的所有現有資料產生同步操作,並配置 Spacedrive 以在將來發生事情時產生同步操作。",
"enabled": "啟用",
"encrypt": "加密",
"encrypt_library": "加密圖書館",
"encrypt_library_coming_soon": "圖書館加密即將推出",
@ -203,6 +210,7 @@
"error": "錯誤",
"error_loading_original_file": "加載原始文件出錯",
"error_message": "Error: {{error}}.",
"executable": "Executable",
"expand": "展開",
"explorer": "資源管理器",
"explorer_settings": "資源管理器設定",
@ -212,11 +220,11 @@
"export_library": "導出圖書館",
"export_library_coming_soon": "導出圖書館即將推出",
"export_library_description": "將此圖書館導出到文件。",
"executable": "Executable",
"extension": "擴大",
"extensions": "擴展",
"extensions_description": "安裝擴展以擴展此客戶端的功能。",
"fahrenheit": "華氏",
"failed": "失敗的",
"failed_to_add_location": "Failed to add location",
"failed_to_cancel_job": "取消工作失敗。",
"failed_to_clear_all_jobs": "清除所有工作失敗。",
@ -230,8 +238,8 @@
"failed_to_generate_labels": "生成標籤失敗",
"failed_to_generate_thumbnails": "生成縮略圖失敗",
"failed_to_load_tags": "加載標籤失敗",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_body": "Couldn't open file, due to an error: {{error}}",
"failed_to_open_file_title": "Failed to open file",
"failed_to_open_file_with": "Failed to open file, with: {{data}}",
"failed_to_pause_job": "暫停工作失敗。",
"failed_to_reindex_location": "重新索引位置失敗",
@ -250,15 +258,19 @@
"feedback_toast_error_message": "提交回饋時發生錯誤。請重試。",
"file": "file",
"file_already_exist_in_this_location": "該位置已存在該檔案",
"file_directory_name": "檔案/目錄名稱",
"file_extension_description": "檔案副檔名(例如 .mp4、.jpg、.txt",
"file_from": "File {{file}} from {{name}}",
"file_indexing_rules": "文件索引規則",
"file_picker_not_supported": "File picker not supported on this platform",
"files": "files",
"filter": "篩選",
"filters": "篩選器",
"flash": "閃光",
"folder": "Folder",
"font": "Font",
"for_library": "For library {{name}}",
"forced": "被迫",
"forward": "前進",
"free_of": "自由的",
"from": "從",
@ -272,6 +284,7 @@
"general_shortcut_description": "一般使用快捷鍵",
"generatePreviewMedia_label": "為這個位置生成預覽媒體",
"generate_checksums": "生成校驗和",
"glob_description": "全域(例如 **/.git",
"go_back": "返回",
"go_to_labels": "轉到標籤",
"go_to_location": "前往地點",
@ -290,6 +303,7 @@
"hide_in_sidebar": "在側邊欄中隱藏",
"hide_in_sidebar_description": "防止此標籤在應用的側欄中顯示。",
"hide_location_from_view": "從視圖中隱藏位置和內容",
"hide_sidebar": "隱藏側邊欄",
"home": "主頁",
"hosted_locations": "Hosted Locations",
"hosted_locations_description": "Augment your local storage with our cloud!",
@ -304,14 +318,29 @@
"indexer_rule_reject_allow_label": "默認情況下,索引器規則作為拒絕列表,導致與其匹配的任何文件被排除在外。啟用此選項將其變為允許列表,使位置僅索引符合其規定規則的文件。",
"indexer_rules": "索引器規則",
"indexer_rules_error": "Error while retrieving indexer rules",
"indexer_rules_not_available": "No indexer rules available",
"indexer_rules_info": "索引器規則允許您使用通配符指定要忽略的路徑。",
"indexer_rules_not_available": "No indexer rules available",
"ingester": "攝取者",
"ingester_description": "此過程接收接收到的雲端操作並將它們傳送到主同步接收器。",
"injester_description": "此過程從 P2P 連線和 Spacedrive Cloud 取得同步操作,並將其套用到庫。",
"install": "安裝",
"install_update": "安裝更新",
"installed": "已安裝",
"invalid_extension": "無效的擴展名",
"invalid_glob": "無效的全域變數",
"invalid_name": "名稱無效",
"invalid_path": "路徑無效",
"ipv4_ipv6_listeners_error": "Error creating the IPv4 and IPv6 listeners. Please check your firewall settings!",
"ipv4_listeners_error": "Error creating the IPv4 listeners. Please check your firewall settings!",
"ipv6": "IPv6網路",
"ipv6_description": "允許使用 IPv6 網路進行點對點通訊",
"ipv6_listeners_error": "Error creating the IPv6 listeners. Please check your firewall settings!",
"is": "伊斯蘭國",
"is_not": "不是",
"item": "item",
"item_size": "項目大小",
"items": "items",
"job_error_description": "作業已完成,但有錯誤。\n請參閱下面的錯誤日誌以取得更多資訊。\n如果您需要協助請聯絡支援人員並提供此錯誤。",
"job_has_been_canceled": "工作已取消。",
"job_has_been_paused": "工作已暫停。",
"job_has_been_removed": "工作已移除。",
@ -339,6 +368,8 @@
"libraries": "圖書館",
"libraries_description": "數據庫包含所有圖書館數據和文件元數據。",
"library": "圖書館",
"library_bytes": "庫大小",
"library_bytes_description": "圖書館中所有位置的總大小。",
"library_db_size": "索引大小",
"library_db_size_description": "圖書館資料庫的大小。",
"library_name": "圖書館名稱",
@ -354,12 +385,12 @@
"local_locations": "本地位置",
"local_node": "本地節點",
"location": "地點",
"location_other": "地點",
"location_connected_tooltip": "正在監視位置是否有變化",
"location_disconnected_tooltip": "正在監視位置是否有變化",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
"location_empty_notice_message": "這裡未找到文件",
"location_is_already_linked": "位置已經被連接",
"location_other": "地點",
"location_path_info": "這是位置的路徑,這是在磁碟上存儲文件的位置。",
"location_type": "位置類型",
"location_type_managed": "Spacedrive將為你分類文件。如果位置不是空的將創建一個“spacedrive”文件夾。",
@ -368,6 +399,7 @@
"locations": "位置",
"locations_description": "管理您的存儲位置。",
"lock": "鎖定",
"lock_sidebar": "鎖定側邊欄",
"log_in": "登入",
"log_in_with_browser": "使用瀏覽器登入",
"log_out": "登出",
@ -385,6 +417,7 @@
"mesh": "Mesh",
"miles": "英里",
"mode": "模式",
"model": "模型",
"modified": "已修改",
"more": "更多",
"more_actions": "更多操作...",
@ -420,27 +453,33 @@
"new_update_available": "新版本可用!",
"no_apps_available": "No apps available",
"no_favorite_items": "沒有最喜歡的物品",
"no_git": "沒有 Git",
"no_hidden": "無隱藏",
"no_items_found": "未找到任何項目",
"no_jobs": "沒有工作。",
"no_labels": "無標籤",
"no_nodes_found": "找不到 Spacedrive 節點.",
"no_os_protected": "沒有作業系統受到保護",
"no_search_selected": "未選擇搜尋",
"no_tag_selected": "沒有選擇標籤",
"no_tags": "沒有標籤",
"no_tags_description": "您還沒有建立任何標籤",
"no_search_selected": "未選擇搜尋",
"node_name": "節點名稱",
"nodes": "節點",
"nodes_description": "管理連接到此圖書館的節點。一個節點是在設備或服務器上運行的Spacedrive後端實例。每個節點帶有數據庫副本通過點對點連接實時同步。",
"none": "無",
"normal": "常規",
"note": "Note",
"not_you": "不是您?",
"note": "Note",
"nothing_selected": "未選擇任何內容",
"number_of_passes": "通過次數",
"object": "目的",
"object_id": "對象ID",
"off": "離開",
"offline": "離線",
"on": "在",
"online": "在線",
"only_images": "僅影像",
"open": "打開",
"open_file": "打開文件",
"open_in_new_tab": "在新分頁中開啟",
@ -454,6 +493,11 @@
"opening_trash": "Opening Trash",
"or": "或者",
"overview": "概覽",
"p2p_visibility": "P2P 可見性",
"p2p_visibility_contacts_only": "限聯絡人",
"p2p_visibility_description": "配置誰可以看到您的 Spacedrive 安裝。",
"p2p_visibility_disabled": "殘障人士",
"p2p_visibility_everyone": "每個人",
"package": "Package",
"page": "頁面",
"page_shortcut_description": "應用程式中的不同頁面",
@ -468,6 +512,7 @@
"path_to_save_do_the_thing": "Path to save when clicking 'Do the thing':",
"paths": "Paths",
"pause": "暫停",
"paused": "已暫停",
"peers": "對等",
"people": "人們",
"pin": "別針",
@ -477,9 +522,13 @@
"preview_media_bytes_description": "所有預覽媒體檔案(例如縮圖)的總大小。",
"privacy": "隱私",
"privacy_description": "Spacedrive是為隱私而構建的這就是為什麼我們是開源的並且首先在本地。所以我們將非常清楚地告知我們分享了哪些數據。",
"queued": "排隊",
"quick_preview": "快速預覽",
"quick_rescan_started": "Quick rescan started",
"quick_view": "快速查看",
"random": "隨機的",
"receiver": "接收者",
"receiver_description": "此進程接收並儲存來自 Spacedrive Cloud 的操作。",
"recent_jobs": "最近的工作",
"recents": "最近的文件",
"recents_notice_message": "開啟檔案時會建立最近的檔案。",
@ -490,6 +539,8 @@
"reject": "拒絕",
"reject_files": "Reject files",
"reload": "重載",
"remote_access": "啟用遠端存取",
"remote_access_description": "使其他節點能夠直接連接到該節點。",
"remove": "移除",
"remove_from_recents": "從最近的文件中移除",
"rename": "重命名",
@ -503,6 +554,7 @@
"reset_confirmation": "Are you sure you want to reset Spacedrive? Your database will be deleted.",
"reset_to_continue": "We detected you may have created your library with an older version of Spacedrive. Please reset it to continue using the app!",
"reset_warning": "YOU WILL LOSE ANY EXISTING SPACEDRIVE DATA!",
"resolution": "解決",
"resources": "資源",
"restore": "恢復",
"resume": "恢復",
@ -524,10 +576,12 @@
"secure_delete": "安全刪除",
"security": "安全",
"security_description": "保護您的客戶端安全。",
"see_more": "See more",
"see_less": "See less",
"see_more": "See more",
"send": "發送",
"send_report": "Send Report",
"sender": "寄件人",
"sender_description": "此程序將同步操作傳送至 Spacedrive Cloud。",
"settings": "設置",
"setup": "設定",
"share": "分享",
@ -545,23 +599,36 @@
"show_slider": "顯示滑塊",
"size": "大小",
"size_b": "乙",
"size_bs": "乙",
"size_gb": "國標",
"size_gbs": "GB",
"size_kb": "千位元組",
"size_kbs": "千位元組",
"size_mb": "MB",
"size_mbs": "MB",
"size_tb": "結核病",
"size_tbs": "TB",
"skip_login": "跳過登錄",
"software": "軟體",
"sort_by": "排序依據",
"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上給星",
"start": "開始",
"starting": "開始...",
"starts_with": "以。",
"stop": "停止",
"stopping": "停止...",
"success": "成功",
"support": "支持",
"switch_to_grid_view": "切換到網格視圖",
@ -580,6 +647,9 @@
"tags": "標籤",
"tags_description": "管理您的標籤。",
"tags_notice_message": "沒有項目分配給該標籤。",
"task": "task",
"task_one": "task",
"task_other": "tasks",
"telemetry_description": "切換到ON為開發者提供詳細的使用情況和遙測數據以增強應用程序。切換到OFF只發送基本數據您的活動狀態應用版本核心版本以及平台例如移動網絡或桌面。",
"telemetry_title": "分享額外的遙測和使用情況數據",
"temperature": "溫度",
@ -600,11 +670,6 @@
"toggle_path_bar": "切換顯示路徑列",
"toggle_quick_preview": "切換快速預覽",
"toggle_sidebar": "切換側邊欄",
"lock_sidebar": "鎖定側邊欄",
"hide_sidebar": "隱藏側邊欄",
"drag_to_resize": "拖曳調整大小",
"click_to_hide": "點擊隱藏",
"click_to_lock": "點擊鎖定",
"tools": "工具",
"total_bytes_capacity": "總容量",
"total_bytes_capacity_description": "連接到庫的所有節點的總容量。 在 Alpha 期間可能會顯示不正確的值。",
@ -616,8 +681,8 @@
"type": "類型",
"ui_animations": "UI動畫",
"ui_animations_description": "對話框和其它UI元素在打開和關閉時會有動畫效果。",
"unnamed_location": "未命名位置",
"unknown": "Unknown",
"unnamed_location": "未命名位置",
"update": "更新",
"update_downloaded": "更新已下載。重新啟動 Spacedrive 進行安裝",
"updated_successfully": "成功更新,您目前使用的是版本 {{version}}",
@ -628,6 +693,7 @@
"vaccum_library": "真空庫",
"vaccum_library_description": "重新打包資料庫以釋放不必要的空間。",
"value": "值",
"value_required": "所需值",
"version": "版本 {{version}}",
"video": "Video",
"video_preview_not_supported": "不支援視頻預覽。",
@ -635,12 +701,13 @@
"want_to_do_this_later": "想要稍後進行這操作嗎?",
"web_page_archive": "Web Page Archive",
"website": "網站",
"widget": "Widget",
"widget": "小部件",
"with_descendants": "與後代",
"your_account": "您的帳戶",
"your_account_description": "Spacedrive帳戶和資訊。",
"your_local_network": "您的本地網路",
"your_privacy": "您的隱私",
"zoom": "飛漲",
"zoom_in": "放大",
"zoom_out": "縮小"
}