Minor changes (#2308)

* move things around

* enable sort by/direction for list view

* more machine generated translations yey + minor stuff
This commit is contained in:
Utku 2024-04-10 21:44:04 -04:00 committed by GitHub
parent b71c046aa9
commit d19ff363e1
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
25 changed files with 744 additions and 579 deletions

View file

@ -96,7 +96,7 @@
"apps/mobile/ios/Pods/boost/boost/predef/language"
],
"i18n-ally.enabledParsers": ["ts", "json"],
// "i18n-ally.sortKeys": true,
"i18n-ally.sortKeys": true,
"i18n-ally.namespace": true,
"i18n-ally.pathMatcher": "{locale}/common.json",
"i18n-ally.enabledFrameworks": ["react"],

View file

@ -24,7 +24,81 @@ export default () => {
return (
<div className="flex w-80 flex-col gap-4 p-4">
{settings.layoutMode === 'list' && <ListViewOptions />}
<div className="grid grid-cols-2 gap-2">
<div className="flex flex-col">
<Subheading>{t('sort_by')}</Subheading>
<Select
value={settings.order ? orderingKey(settings.order) : 'none'}
size="sm"
className="w-full"
onChange={(key) => {
if (key === 'none') explorer.settingsStore.order = null;
else
explorer.settingsStore.order = createOrdering(
key,
explorer.settingsStore.order
? getOrderingDirection(explorer.settingsStore.order)
: 'Asc'
);
}}
>
<SelectOption value="none">{t('none')}</SelectOption>
{explorer.orderingKeys?.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
<div className="flex flex-col">
<Subheading>{t('direction')}</Subheading>
<Select
value={settings.order ? getOrderingDirection(settings.order) : 'Asc'}
size="sm"
className="w-full"
disabled={explorer.settingsStore.order === null}
onChange={(order) => {
if (explorer.settingsStore.order === null) return;
explorer.settingsStore.order = createOrdering(
orderingKey(explorer.settingsStore.order),
order
);
}}
>
{SortOrderSchema.options.map((o) => (
<SelectOption key={o.value} value={o.value}>
{o.value}
</SelectOption>
))}
</Select>
</div>
</div>
{settings.layoutMode === 'media' && (
<div>
<Subheading>{t('media_view_context')}</Subheading>
<Select
className="w-full"
value={
explorer.settingsStore.mediaViewWithDescendants
? 'withDescendants'
: 'withoutDescendants'
}
onChange={(value) => {
explorer.settingsStore.mediaViewWithDescendants =
value === 'withDescendants';
}}
>
{mediaViewContextActions.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
)}
{(settings.layoutMode === 'grid' || settings.layoutMode === 'media') && (
<div>
@ -69,59 +143,24 @@ export default () => {
</div>
)}
{(settings.layoutMode === 'grid' || settings.layoutMode === 'media') && (
<div className="grid grid-cols-2 gap-2">
<div className="flex flex-col">
<Subheading>{t('sort_by')}</Subheading>
<Select
value={settings.order ? orderingKey(settings.order) : 'none'}
size="sm"
className="w-full"
onChange={(key) => {
if (key === 'none') explorer.settingsStore.order = null;
else
explorer.settingsStore.order = createOrdering(
key,
explorer.settingsStore.order
? getOrderingDirection(explorer.settingsStore.order)
: 'Asc'
);
}}
>
<SelectOption value="none">{t('none')}</SelectOption>
{explorer.orderingKeys?.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
{settings.layoutMode === 'list' && <ListViewOptions />}
<div className="flex flex-col">
<Subheading>{t('direction')}</Subheading>
<Select
value={settings.order ? getOrderingDirection(settings.order) : 'Asc'}
size="sm"
className="w-full"
disabled={explorer.settingsStore.order === null}
onChange={(order) => {
if (explorer.settingsStore.order === null) return;
explorer.settingsStore.order = createOrdering(
orderingKey(explorer.settingsStore.order),
order
);
}}
>
{SortOrderSchema.options.map((o) => (
<SelectOption key={o.value} value={o.value}>
{o.value}
</SelectOption>
))}
</Select>
</div>
</div>
)}
<div>
<Subheading>{t('double_click_action')}</Subheading>
<Select
className="w-full"
value={settings.openOnDoubleClick}
onChange={(value) => {
explorer.settingsStore.openOnDoubleClick = value;
}}
>
{doubleClickActions.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
<div>
<Subheading>{t('explorer')}</Subheading>
@ -173,47 +212,6 @@ export default () => {
)}
</div>
</div>
{settings.layoutMode === 'media' && (
<div>
<Subheading>{t('media_view_context')}</Subheading>
<Select
className="w-full"
value={
explorer.settingsStore.mediaViewWithDescendants
? 'withDescendants'
: 'withoutDescendants'
}
onChange={(value) => {
explorer.settingsStore.mediaViewWithDescendants =
value === 'withDescendants';
}}
>
{mediaViewContextActions.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
)}
<div>
<Subheading>{t('double_click_action')}</Subheading>
<Select
className="w-full"
value={settings.openOnDoubleClick}
onChange={(value) => {
explorer.settingsStore.openOnDoubleClick = value;
}}
>
{doubleClickActions.options.map((option) => (
<SelectOption key={option.value} value={option.value}>
{option.description}
</SelectOption>
))}
</Select>
</div>
</div>
);
};

View file

@ -18,6 +18,7 @@ import {
useSelector,
type ExplorerItem
} from '@sd/client';
import { useLocale } from '~/hooks';
import { useExplorerContext } from '../../Context';
import { FileThumb } from '../../FilePath/Thumb';
@ -94,11 +95,13 @@ export const useTable = () => {
const explorer = useExplorerContext();
const explorerSettings = explorer.useSettingsSnapshot();
const { t } = useLocale();
const columns = useMemo<ColumnDef<ExplorerItem>[]>(
() => [
{
id: 'name',
header: 'Name',
header: t('name'),
minSize: 200,
maxSize: undefined,
cell: ({ row, selected }: Cell) => (
@ -107,12 +110,12 @@ export const useTable = () => {
},
{
id: 'kind',
header: 'Type',
header: t('type'),
cell: ({ row }) => <KindCell kind={getExplorerItemData(row.original).kind} />
},
{
id: 'sizeInBytes',
header: 'Size',
header: t('size'),
accessorFn: (item) => {
const filePath = getItemFilePath(item);
return !filePath ||
@ -124,7 +127,7 @@ export const useTable = () => {
},
{
id: 'dateCreated',
header: 'Date Created',
header: t('date_created'),
accessorFn: (item) => {
if (item.type === 'SpacedropPeer') return;
return dayjs(item.item.date_created).format('MMM Do YYYY');
@ -132,7 +135,7 @@ export const useTable = () => {
},
{
id: 'dateModified',
header: 'Date Modified',
header: t('date_modified'),
accessorFn: (item) => {
const filePath = getItemFilePath(item);
if (filePath) return dayjs(filePath.date_modified).format('MMM Do YYYY');
@ -140,7 +143,7 @@ export const useTable = () => {
},
{
id: 'dateIndexed',
header: 'Date Indexed',
header: t('date_indexed'),
accessorFn: (item) => {
const filePath = getIndexedItemFilePath(item);
if (filePath) return dayjs(filePath.date_indexed).format('MMM Do YYYY');
@ -148,7 +151,7 @@ export const useTable = () => {
},
{
id: 'dateAccessed',
header: 'Date Accessed',
header: t('date_accessed'),
accessorFn: (item) => {
const object = getItemObject(item);
if (!object || !object.date_accessed) return;
@ -157,18 +160,19 @@ export const useTable = () => {
},
{
id: 'contentId',
header: 'Content ID',
header: t('content_id'),
accessorFn: (item) => getExplorerItemData(item).casId
},
{
id: 'objectId',
header: 'Object ID',
header: t('object_id'),
accessorFn: (item) => {
const object = getItemObject(item);
if (object) return stringify(object.pub_id);
}
}
],
// eslint-disable-next-line react-hooks/exhaustive-deps
[]
);

View file

@ -1,5 +1,4 @@
import clsx from 'clsx';
import { t } from 'i18next';
import { NavLink, useMatch } from 'react-router-dom';
import { useCache, useLibraryQuery, useNodes, type Tag } from '@sd/client';
import { useExplorerDroppable } from '~/app/$libraryId/Explorer/useExplorerDroppable';

View file

@ -254,7 +254,7 @@ const EphemeralExplorer = memo((props: { args: PathParams }) => {
<EmptyNotice
loading={query.isFetching}
icon={<Icon name="FolderNoSpace" size={128} />}
message={t('no_files_found_here')}
message={t('location_empty_notice_message')}
/>
}
/>

View file

@ -1,7 +1,7 @@
import { useMemo } from 'react';
import { ObjectOrder } from '@sd/client';
import { Icon } from '~/components';
import { useRouteTitle } from '~/hooks';
import { useLocale, useRouteTitle } from '~/hooks';
import Explorer from './Explorer';
import { ExplorerContextProvider } from './Explorer/Context';
@ -17,6 +17,8 @@ import { TopBarPortal } from './TopBar/Portal';
export function Component() {
useRouteTitle('Favorites');
const { t } = useLocale();
const explorerSettings = useExplorerSettings({
settings: useMemo(() => {
return createDefaultExplorerSettings<ObjectOrder>({ order: null });
@ -53,7 +55,7 @@ export function Component() {
center={<SearchBar defaultFilters={[defaultFilter]} />}
left={
<div className="flex flex-row items-center gap-2">
<span className="truncate text-sm font-medium">Favorites</span>
<span className="truncate text-sm font-medium">{t('favorites')}</span>
</div>
}
right={<DefaultTopBarOptions />}
@ -71,7 +73,7 @@ export function Component() {
emptyNotice={
<EmptyNotice
icon={<Icon name="Heart" size={128} />}
message="No favorite items"
message={t('no_favorite_items')}
/>
}
/>

View file

@ -184,7 +184,7 @@ const LocationExplorer = ({ location }: { location: Location; path?: string }) =
emptyNotice={
<EmptyNotice
icon={<Icon name="FolderNoSpace" size={128} />}
message={t('no_files_found_here')}
message={t('location_empty_notice_message')}
/>
}
/>

View file

@ -1,7 +1,7 @@
import { useMemo } from 'react';
import { ObjectOrder } from '@sd/client';
import { Icon } from '~/components';
import { useRouteTitle } from '~/hooks';
import { useLocale, useRouteTitle } from '~/hooks';
import Explorer from './Explorer';
import { ExplorerContextProvider } from './Explorer/Context';
@ -26,6 +26,8 @@ export function Component() {
const search = useSearchFromSearchParams();
const { t } = useLocale();
const defaultFilters = { object: { dateAccessed: { from: new Date(0).toISOString() } } };
const items = useSearchExplorerQuery({
@ -53,7 +55,7 @@ export function Component() {
center={<SearchBar defaultFilters={[defaultFilters]} />}
left={
<div className="flex flex-row items-center gap-2">
<span className="truncate text-sm font-medium">Recents</span>
<span className="truncate text-sm font-medium">{t('recents')}</span>
</div>
}
right={<DefaultTopBarOptions />}
@ -71,7 +73,7 @@ export function Component() {
emptyNotice={
<EmptyNotice
icon={<Icon name="Collection" size={128} />}
message="Recents are created when you open a file."
message={t('recents_notice_message')}
/>
}
/>

View file

@ -1,7 +1,7 @@
import { useMemo } from 'react';
import { ObjectOrder } from '@sd/client';
import { Icon } from '~/components';
import { useRouteTitle } from '~/hooks';
import { useLocale, useRouteTitle } from '~/hooks';
import { SearchContextProvider, SearchOptions, useSearch } from '.';
import Explorer from '../Explorer';
@ -29,6 +29,8 @@ export function Component() {
orderingKeys: objectOrderingKeysSchema
});
const { t } = useLocale();
const search = useSearchFromSearchParams();
const items = useSearchExplorerQuery({
@ -52,7 +54,7 @@ export function Component() {
center={<SearchBar />}
left={
<div className="flex flex-row items-center gap-2">
<span className="truncate text-sm font-medium">Search</span>
<span className="truncate text-sm font-medium">{t('search')}</span>
</div>
}
right={<DefaultTopBarOptions />}
@ -70,7 +72,7 @@ export function Component() {
emptyNotice={
<EmptyNotice
icon={<Icon name="Search" size={128} />}
message="No items found"
message={t('no_items_found')}
/>
}
/>

View file

@ -1,4 +1,4 @@
import { Controller, FormProvider } from 'react-hook-form';
import { FormProvider } from 'react-hook-form';
import {
useBridgeMutation,
useBridgeQuery,
@ -6,7 +6,7 @@ import {
useDebugState,
useZodForm
} from '@sd/client';
import { Button, Card, Input, Select, SelectOption, Slider, Switch, tw, z } from '@sd/ui';
import { Button, Card, Input, Select, SelectOption, Slider, Switch, toast, tw, z } from '@sd/ui';
import i18n from '~/app/I18n';
import { Icon } from '~/components';
import { useDebouncedFormWatch, useLocale } from '~/hooks';
@ -43,7 +43,7 @@ export const Component = () => {
const debugState = useDebugState();
const editNode = useBridgeMutation('nodes.edit');
const connectedPeers = useConnectedPeers();
const image_labeler_versions = useBridgeQuery(['models.image_detection.list']);
// const image_labeler_versions = useBridgeQuery(['models.image_detection.list']);
const updateThumbnailerPreferences = useBridgeMutation('nodes.updateThumbnailerPreferences');
const form = useZodForm({
@ -304,16 +304,13 @@ export const Component = () => {
<Setting
mini
title={t('enable_networking')}
// TODO: i18n
description={
<>
<p className="text-sm text-gray-400">
Allow your node to communicate with other Spacedrive nodes around
you
{t('enable_networking_description')}
</p>
<p className="mb-2 text-sm text-gray-400">
<span className="font-bold">Required</span> for library sync or
Spacedrop!
{t('enable_networking_description_required')}
</p>
</>
}
@ -323,7 +320,8 @@ export const Component = () => {
size="md"
// checked={watchP2pEnabled || false}
// onClick={() => form.setValue('p2p_enabled', !form.getValues('p2p_enabled'))}
disabled
// disabled
onClick={() => toast.info(t('coming_soon'))}
/>
</Setting>
{/* <Setting

View file

@ -2,7 +2,7 @@ import { useMemo } from 'react';
import { ObjectOrder, useCache, useLibraryQuery, useNodes } from '@sd/client';
import { LocationIdParamsSchema } from '~/app/route-schemas';
import { Icon } from '~/components';
import { useRouteTitle, useZodRouteParams } from '~/hooks';
import { useLocale, useRouteTitle, useZodRouteParams } from '~/hooks';
import Explorer from '../Explorer';
import { ExplorerContextProvider } from '../Explorer/Context';
@ -21,6 +21,8 @@ export function Component() {
useNodes(result.data?.nodes);
const tag = useCache(result.data?.item);
const { t } = useLocale();
useRouteTitle(tag!.name ?? 'Tag');
const explorerSettings = useExplorerSettings({
@ -78,7 +80,7 @@ export function Component() {
emptyNotice={
<EmptyNotice
icon={<Icon name="Tags" size={128} />}
message="No items assigned to this tag."
message={t('tags_notice_message')}
/>
}
/>

View file

@ -70,9 +70,7 @@ export default function OnboardingLogin() {
draggable={false}
className="mb-3"
/>
<h1 className="text-lg text-ink">
Log in to <b>Spacedrive</b>
</h1>
<h1 className="text-lg text-ink">Log in to Spacedrive</h1>
</div>
<div className="mt-10 flex w-[250px] flex-col gap-3">

View file

@ -1,6 +1,7 @@
import clsx from 'clsx';
import { auth } from '@sd/client';
import { Button, ButtonProps } from '@sd/ui';
import { useLocale } from '~/hooks';
import { usePlatform } from '..';
@ -12,6 +13,8 @@ export function LoginButton({
const authState = auth.useStateSnapshot();
const platform = usePlatform();
const { t } = useLocale();
return (
<div
className={clsx(
@ -28,7 +31,7 @@ export function LoginButton({
}}
{...props}
>
{authState.status !== 'loggingIn' ? children || 'Log in' : 'Logging in...'}
{authState.status !== 'loggingIn' ? children || t('log_in') : t('logging_in')}
</Button>
{authState.status === 'loggingIn' && (
<button
@ -38,7 +41,7 @@ export function LoginButton({
}}
className="text-sm text-ink-faint"
>
Cancel
{t('cancel')}
</button>
)}
</div>

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "Архіваванне лакацый хутка з'явіцца...",
"archive_info": "Выманне дадзеных з бібліятэкі ў выглядзе архіва, карысна для захавання структуры лакацый.",
"are_you_sure": "Вы ўпэўнены?",
"ask_spacedrive": "Pergunte ao Spacedrive",
"assign_tag": "Прысвоіць тэг",
"audio_preview_not_supported": "Папярэдні прагляд аўдыя не падтрымваецца.",
"back": "Назад",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Ачысціць скончаныя заданні",
"client": "Кліент",
"close": "Зачыніць",
"close_command_palette": "Fechar paleta de comandos",
"close_current_tab": "Зачыніць бягучую ўкладку",
"clouds": "Воблачныя схов.",
"color": "Колер",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Капіяваць шлях у буфер памену",
"copy_success": "Элементы скапіраваны",
"create": "Стварыць",
"create_file_error": "Error creating file",
"create_file_success": "Created new file: {{name}}",
"create_folder_error": "Error creating folder",
"create_folder_success": "Created new folder: {{name}}",
"create_library": "Стварыць бібліятэку",
"create_library_description": "Бібліятэка - гэта абароненая база дадзеных на прыладзе. Вашы файлы застаюцца на сваіх месцах, бібліятэка парадкуе іх і захоўвае ўсе дадзеныя, злучаныя з Spacedrive.",
"create_new_library": "Стварыце новую бібліятэку",
@ -80,6 +86,10 @@
"cut_object": "Выразаць аб'ект",
"cut_success": "Элементы выразаны",
"data_folder": "Папка з дадзенымі",
"date_accessed": "Date Accessed",
"date_created": "Date Created",
"date_indexed": "Date Indexed",
"date_modified": "Date Modified",
"debug_mode": "Рэжым адладкі",
"debug_mode_description": "Уключыце дадатковыя функцыі адладкі ў дадатку.",
"default": "Стандартны",
@ -112,13 +122,17 @@
"dont_show_again": "Не паказваць ізноў",
"double_click_action": "Дзеянне на падвойны клік",
"download": "Спампаваць",
"downloading_update": "Загрузка абнаўлення",
"duplicate": "Дубляваць",
"duplicate_object": "Дубляваць аб'ект",
"duplicate_success": "Элементы падвоены",
"edit": "Рэдагаваць",
"edit_library": "Рэдагаваць бібліятэку",
"edit_location": "Рэдагаваць лакацыю",
"empty_file": "Empty file",
"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!",
"encrypt": "Зашыфраваць",
"encrypt_library": "Зашыфраваць бібліятэку",
"encrypt_library_coming_soon": "Шыфраванне бібліятэкі хутка з'явіцца",
@ -145,6 +159,7 @@
"failed_to_copy_file": "Не атрымалася скапіяваць файл",
"failed_to_copy_file_path": "Не атрымалася скапіяваць шлях да файла",
"failed_to_cut_file": "Не атрымалася выразаць файл",
"failed_to_download_update": "Не ўдалося загрузіць абнаўленне",
"failed_to_duplicate_file": "Не атрымалася стварыць дублікат файла",
"failed_to_generate_checksum": "Не атрымалася згенераваць кантрольную суму",
"failed_to_generate_labels": "Не атрымалася згенераваць ярлык",
@ -179,6 +194,12 @@
"generatePreviewMedia_label": "Стварыце папярэдні прагляд медыяфайлаў для гэтай лакацыі",
"generate_checksums": "Генерацыя кантрольных сум",
"go_back": "Назад",
"go_to_labels": "Ir para etiquetas",
"go_to_location": "Ir para localização",
"go_to_overview": "Ir para visão geral",
"go_to_recents": "Ir para mensagens recentes",
"go_to_settings": "Ir para configurações",
"go_to_tag": "Ir para marcação",
"got_it": "Атрымалася",
"grid_gap": "Прабел",
"grid_view": "Выгляд сеткай",
@ -190,6 +211,7 @@
"hide_in_sidebar_description": "Забараніце адлюстраванне гэтага тэга ў бакавой панэлі.",
"hide_location_from_view": "Схаваць лакацыю і змесціва з выгляду",
"home": "Галоўная",
"icon_size": "Памер значкаў",
"image_labeler_ai_model": "Мадэль ШІ для генерацыі ярлыкоў выяў",
"image_labeler_ai_model_description": "Мадэль, што выкарыстоўваецца для распазнання аб'ектаў на выявах. Вялікія мадэлі дакладнейшыя, але працуюць павольней.",
"import": "Імпарт",
@ -201,8 +223,6 @@
"install_update": "Устанавіць абнаўленне",
"installed": "Устаноўлена",
"item_size": "Памер элемента",
"icon_size": "Памер значкаў",
"text_size": "Памер тэксту",
"item_with_count_one": "{{count}} элемент",
"item_with_count_other": "{{count}} элементаў",
"job_has_been_canceled": "Заданне скасавана.",
@ -240,6 +260,7 @@
"location_connected_tooltip": "Лакацыя правяраецца на змены",
"location_disconnected_tooltip": "Лакацыя не правяраецца на змены",
"location_display_name_info": "Імя гэтага месцазнаходжання, якое будзе адлюстроўвацца на бакавой панэлі. Гэта дзеянне не пераназаве фактычнай тэчкі на дыску.",
"location_empty_notice_message": "Файлы не знойдзены",
"location_is_already_linked": "Лакацыя ўжо прывязана",
"location_path_info": "Шлях да гэтай лакацыі, дзе файлы будуць захоўвацца на дыску.",
"location_type": "Тып лакацыі",
@ -249,9 +270,11 @@
"locations": "Лакацыі",
"locations_description": "Кіруйце Вашымі лакацыямі.",
"lock": "Заблакаваць",
"log_in": "Log in",
"log_in_with_browser": "Увайдзіце ў сістэму з дапамогай браўзара",
"log_out": "Выйсці з сістэмы",
"logged_in_as": "Увайшлі ў сістэму як {{email}}",
"logging_in": "Logging in...",
"logout": "Выхад з сістэмы",
"manage_library": "Кіраванне бібліятэкай",
"managed": "Кіраваны",
@ -284,18 +307,22 @@
"networking": "Праца ў сеткі",
"networking_port": "Сеткавы порт",
"networking_port_description": "Порт для аднарангавай сеткі Spacedrive. Калі ў вас не ўсталявана абмежавальная сетказаслона, гэты параметр ідзе пакінуць адключаным. Не адкрывайце доступу ў Інтэрнэт!",
"new": "New",
"new_folder": "Новая папка",
"new_library": "Новая бібліятэка",
"new_location": "Новая лакацыя",
"new_location_web_description": "Бо вы скарыстаеце браўзарную версію Spacedrive, вам (пакуль што) трэба паказаць абсалютны URL-адрас каталога, лакальнага для выдаленага вузла.",
"new_tab": "Новая ўкладка",
"new_tag": "Новы тэг",
"no_files_found_here": "Файлы не знойдзены",
"new_update_available": "Новая абнаўленне даступна!",
"no_favorite_items": "No favorite items",
"no_items_found": "No items found",
"no_jobs": "Няма заданняў.",
"no_labels": "Sem etiquetas",
"no_nodes_found": "Не знойдзены вузлоў Spacedrive.",
"no_tag_selected": "Тэг не абраны",
"no_tags": "Няма тэгаў",
"node_name": "Імя вузла",
"no_nodes_found": "Не знойдзены вузлоў Spacedrive.",
"nodes": "Вузлы",
"nodes_description": "Кіраванне вузламі, падлучанымі да гэтай бібліятэкі. Вузел - гэта асобнік бэкэнда Spacedrive, што працуе на прыладзе ці серверы. Кожны вузел мае сваю копію базы дадзеных і сінхранізуецца праз аднарангавыя злучэнні ў рэжыме рэальнага часу.",
"none": "Не",
@ -307,6 +334,7 @@
"online": "Анлайн",
"open": "Адкрыць",
"open_file": "Адкрыць файл",
"open_in_new_tab": "Адкрыць у новай укладцы",
"open_new_location_once_added": "Адкрыць новую лакацыю пасля дадання",
"open_new_tab": "Адкрыць новую ўкладку",
"open_object": "Адкрыць аб'ект",
@ -328,12 +356,14 @@
"pause": "Паўза",
"peers": "Удзельнікі",
"people": "Людзі",
"pin": "шпілька",
"privacy": "Прыватнасць",
"privacy_description": "Spacedrive створаны для забеспячэння прыватнасці, таму ў нас адкрыты выточны код і лакальны падыход. Таму мы выразна паказваем, якія дадзеныя перадаюцца нам.",
"quick_preview": "Хуткі перадпрагляд",
"quick_view": "Хуткі прагляд",
"recent_jobs": "Нядаўнія заданні",
"recents": "Нядаўняе",
"recents_notice_message": "Recents are created when you open a file.",
"regen_labels": "Рэгенераваць цэтлікі",
"regen_thumbnails": "Рэгенераваць мініяцюры",
"regenerate_thumbs": "Рэгенераваць мініяцюры",
@ -345,6 +375,7 @@
"rename": "Перайменаваць",
"rename_object": "Перайменаваць аб'ект",
"replica": "Рэпліка",
"rescan": "паўторнае сканаванне",
"rescan_directory": "Паўторнае сканаванне дырэкторыі",
"rescan_location": "Паўторнае сканаванне лакацыі",
"reset": "Скінуць",
@ -358,7 +389,9 @@
"save": "Захаваць",
"save_changes": "Захаваць змены",
"saved_searches": "Захаваныя пошукавыя запыты",
"search": "Search",
"search_extensions": "Пашырэнні для пошуку",
"search_for_files_and_actions": "Pesquisar por arquivos e ações...",
"secure_delete": "Бяспечнае выдаленне",
"security": "Бяспека",
"security_description": "Гарантуйце бяспеку вашага кліента.",
@ -379,9 +412,9 @@
"show_slider": "Паказаць паўзунок",
"size": "Памер",
"size_b": "Б",
"size_gb": "ГБ",
"size_kb": "КБ",
"size_mb": "МБ",
"size_gb": "ГБ",
"size_tb": "ТБ",
"skip_login": "Прапусціць уваход",
"sort_by": "Сартаваць па",
@ -389,8 +422,8 @@
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "У першую чаргу Spacedrive прызначаны для лакальнага выкарыстання, але ў будучыні мы прапануем уласныя дадатковыя хмарныя сэрвісы. На дадзены момант аўтэнтыфікацыя выкарыстоўваецца толькі для функцыі 'Фідбэк', у іншым яна не патрабуецца.",
"spacedrop_a_file": "Адправіць файл з дапамогай Spacedrop",
"spacedrop_description": "Дзеляся миттева з прыладамі, якія працуюць з Spacedrive у вашай сетцы.",
"spacedrop_already_progress": "Spacedrop ужо ў працэсе",
"spacedrop_description": "Дзеляся миттева з прыладамі, якія працуюць з Spacedrive у вашай сетцы.",
"spacedrop_rejected": "Spacedrop адхілены",
"square_thumbnails": "Квадратныя эскізы",
"star_on_github": "Паставіць зорку на GitHub",
@ -409,13 +442,17 @@
"sync_with_library_description": "Калі гэта опцыя ўлучана, вашы прывязаныя клавішы будуць сінхранізаваны з бібліятэкай, у адваротным выпадку яны будуць ужывацца толькі да гэтага кліента.",
"tags": "Тэгі",
"tags_description": "Кіруйце сваімі тэгамі.",
"tags_notice_message": "No items assigned to this tag.",
"telemetry_description": "Уключыце, каб падаць распрацоўнікам дэталёвыя дадзеныя пра выкарыстанне і тэлеметрыю для паляпшэння дадатку. Выключыце, каб адпраўляць толькі асноўныя дадзеныя: статус актыўнасці, версію дадатку, версію ядра і платформу (прыкладам, мабільную, ўэб- ці настольную).",
"telemetry_title": "Падаванне дадатковай телеметриии і дадзеных пра выкарыстанне",
"temperature": "Тэмпература",
"text_file": "Text File",
"text_size": "Памер тэксту",
"thank_you_for_your_feedback": "Дзякуй за Ваш фідбэк!",
"thumbnailer_cpu_usage": "Выкарыстанне працэсара пры стварэнні мініяцюр",
"thumbnailer_cpu_usage_description": "Абмяжуйце нагрузку на працэсар, якую можа скарыстаць праграма для стварэння мініяцюр у фонавым рэжыме.",
"toggle_all": "Уключыць усё",
"toggle_command_palette": "Alternar paleta de comandos",
"toggle_hidden_files": "Уключыць бачнасць утоеных файлаў",
"toggle_image_slider_within_quick_preview": "Адкрыць слайдар выяў у рэжыме перадпрагляду",
"toggle_inspector": "Адкрыць інспектар",
@ -427,43 +464,19 @@
"ui_animations": "UI Анімацыі",
"ui_animations_description": "Дыялогавыя вокны і іншыя элементы карыстацкага інтэрфейсу будуць анімавацца пры адкрыцці і зачыненні.",
"unnamed_location": "Безназоўная лакацыя",
"update": "Абнаўленне",
"update_downloaded": "Абнаўленне загружана. Перазагрузіце Spacedrive для усталявання",
"updated_successfully": "Паспяхова абнавіліся, вы на версіі {{version}}",
"usage": "Выкарыстанне",
"usage_description": "Інфармацыя пра выкарыстанне бібліятэкі і інфармацыя пра ваша апаратнае забеспячэнне",
"value": "Значэнне",
"version": "Версія {{version}}",
"video_preview_not_supported": "Папярэдні прагляд відэа не падтрымваецца.",
"view_changes": "Праглядзець змены",
"want_to_do_this_later": "Жадаеце зрабіць гэта пазней?",
"website": "Вэб-сайт",
"your_account": "Ваш уліковы запіс",
"your_account_description": "Уліковы запіс Spacedrive і інфармацыя.",
"your_local_network": "Ваша лакальная сетка",
"your_privacy": "Ваша прыватнасць",
"new_update_available": "Новая абнаўленне даступна!",
"version": "Версія {{version}}",
"downloading_update": "Загрузка абнаўлення",
"update_downloaded": "Абнаўленне загружана. Перазагрузіце Spacedrive для усталявання",
"failed_to_download_update": "Не ўдалося загрузіць абнаўленне",
"updated_successfully": "Паспяхова абнавіліся, вы на версіі {{version}}",
"view_changes": "Праглядзець змены",
"update": "Абнаўленне",
"ask_spacedrive": "Pergunte ao Spacedrive",
"close_command_palette": "Fechar paleta de comandos",
"go_to_labels": "Ir para etiquetas",
"go_to_location": "Ir para localização",
"go_to_overview": "Ir para visão geral",
"go_to_recents": "Ir para mensagens recentes",
"go_to_settings": "Ir para configurações",
"go_to_tag": "Ir para marcação",
"no_labels": "Sem etiquetas",
"search_for_files_and_actions": "Pesquisar por arquivos e ações...",
"toggle_command_palette": "Alternar paleta de comandos",
"pin": "шпілька",
"rescan": "паўторнае сканаванне",
"create_file_error": "Error creating file",
"create_file_success": "Created new file: {{name}}",
"create_folder_error": "Error creating folder",
"create_folder_success": "Created new folder: {{name}}",
"empty_file": "Empty file",
"new": "New",
"text_file": "Text File",
"open_in_new_tab": "Адкрыць у новай укладцы"
}
"your_privacy": "Ваша прыватнасць"
}

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "Das Archivieren von Standorten kommt bald...",
"archive_info": "Daten aus der Bibliothek als Archiv extrahieren, nützlich um die Ordnerstruktur des Standorts zu bewahren.",
"are_you_sure": "Sind Sie sicher?",
"ask_spacedrive": "Fragen Sie Spacedrive",
"assign_tag": "Tag zuweisen",
"audio_preview_not_supported": "Audio-Vorschau wird nicht unterstützt.",
"back": "Zurück",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Beendete Aufgaben entfernen",
"client": "Client",
"close": "Schließen",
"close_command_palette": "Befehlspalette schließen",
"close_current_tab": "Aktuellen Tab schließen",
"clouds": "Clouds",
"color": "Farbe",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Pfad in die Zwischenablage kopieren",
"copy_success": "Elemente kopiert",
"create": "Erstellen",
"create_file_error": "Fehler beim Erstellen der Datei",
"create_file_success": "Neue Datei erstellt: {{name}}",
"create_folder_error": "Fehler beim Erstellen des Ordners",
"create_folder_success": "Neuer Ordner erstellt: {{name}}",
"create_library": "Eine Bibliothek erstellen",
"create_library_description": "Bibliotheken sind eine sichere, auf dem Gerät befindliche Datenbank. Ihre Dateien bleiben dort, wo sie sind, die Bibliothek katalogisiert sie und speichert alle mit Spacedrive verbundenen Daten.",
"create_new_library": "Neue Bibliothek erstellen",
@ -80,6 +86,10 @@
"cut_object": "Objekt ausschneiden",
"cut_success": "Elemente ausschneiden",
"data_folder": "Datenordner",
"date_accessed": "Datum zugegriffen",
"date_created": "Datum erstellt",
"date_indexed": "Datum der Indexierung",
"date_modified": "Datum geändert",
"debug_mode": "Debug-Modus",
"debug_mode_description": "Zusätzliche Debugging-Funktionen in der App aktivieren.",
"default": "Standard",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "Um Aktionen und Operationen auszuführen",
"direction": "Richtung",
"disabled": "Deaktiviert",
"disconnected": "Getrennt",
"display_formats": "Anzeigeformate",
"display_name": "Anzeigename",
"distance": "Distanz",
@ -111,13 +122,17 @@
"dont_show_again": "Nicht wieder anzeigen",
"double_click_action": "Doppelklick-Aktion",
"download": "Herunterladen",
"downloading_update": "Update wird heruntergeladen",
"duplicate": "Duplizieren",
"duplicate_object": "Objekt duplizieren",
"duplicate_success": "Elemente dupliziert",
"edit": "Bearbeiten",
"edit_library": "Bibliothek bearbeiten",
"edit_location": "Standort bearbeiten",
"empty_file": "Leere Akte",
"enable_networking": "Netzwerk aktivieren",
"enable_networking_description": "Ermöglichen Sie Ihrem Knoten die Kommunikation mit anderen Spacedrive-Knoten in Ihrer Nähe.",
"enable_networking_description_required": "Erforderlich für Bibliothekssynchronisierung oder Spacedrop!",
"encrypt": "Verschlüsseln",
"encrypt_library": "Bibliothek verschlüsseln",
"encrypt_library_coming_soon": "Verschlüsselung der Bibliothek kommt bald",
@ -144,6 +159,7 @@
"failed_to_copy_file": "Fehler beim Kopieren der Datei",
"failed_to_copy_file_path": "Dateipfad konnte nicht kopiert werden",
"failed_to_cut_file": "Fehler beim Ausschneiden der Datei",
"failed_to_download_update": "Update konnte nicht heruntergeladen werden",
"failed_to_duplicate_file": "Datei konnte nicht dupliziert werden",
"failed_to_generate_checksum": "Prüfsumme konnte nicht generiert werden",
"failed_to_generate_labels": "Labels konnten nicht generiert werden",
@ -178,6 +194,12 @@
"generatePreviewMedia_label": "Vorschaumedien für diesen Standort generieren",
"generate_checksums": "Prüfsummen erstellen",
"go_back": "Zurück gehen",
"go_to_labels": "Gehen Sie zu Etiketten",
"go_to_location": "Gehen Sie zum Standort",
"go_to_overview": "Zur Übersicht gehen",
"go_to_recents": "Gehen Sie zu den letzten Nachrichten",
"go_to_settings": "Gehe zu den Einstellungen",
"go_to_tag": "Gehe zum Markieren",
"got_it": "Verstanden",
"grid_gap": "Abstand",
"grid_view": "Rasteransicht",
@ -189,6 +211,7 @@
"hide_in_sidebar_description": "Verhindern, dass dieser Tag in der Seitenleiste der App angezeigt wird.",
"hide_location_from_view": "Standort und Inhalte aus der Ansicht ausblenden",
"home": "Startseite",
"icon_size": "Symbolgröße",
"image_labeler_ai_model": "KI-Modell zur Bildetikettierung",
"image_labeler_ai_model_description": "Das Modell, das zur Erkennung von Objekten in Bildern verwendet wird. Größere Modelle sind genauer, aber langsamer.",
"import": "Importieren",
@ -200,8 +223,6 @@
"install_update": "Update installieren",
"installed": "Installiert",
"item_size": "Elementgröße",
"icon_size": "Symbolgröße",
"text_size": "Textgröße",
"item_with_count_one": "{{count}} artikel",
"item_with_count_other": "{{count}} artikel",
"job_has_been_canceled": "Der Job wurde abgebrochen.",
@ -239,6 +260,7 @@
"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_path_info": "Der Pfad zu diesem Standort, hier werden die Dateien auf der Festplatte gespeichert.",
"location_type": "Standorttyp",
@ -248,9 +270,11 @@
"locations": "Standorte",
"locations_description": "Verwalten Sie Ihre Speicherstandorte.",
"lock": "Sperren",
"log_in": "Anmeldung",
"log_in_with_browser": "Mit Browser anmelden",
"log_out": "Abmelden",
"logged_in_as": "Angemeldet als {{email}}",
"logging_in": "Einloggen...",
"logout": "Abmelden",
"manage_library": "Bibliothek verwalten",
"managed": "Verwaltet",
@ -283,18 +307,22 @@
"networking": "Netzwerk",
"networking_port": "Netzwerk-Port",
"networking_port_description": "Der Port für das Peer-to-Peer-Netzwerk von Spacedrive zur Kommunikation. Sie sollten dies deaktiviert lassen, es sei denn, Sie haben eine restriktive Firewall. Nicht ins Internet freigeben!",
"new": "Neu",
"new_folder": "Neuer Ordner",
"new_library": "Neue Bibliothek",
"new_location": "Neuer Standort",
"new_location_web_description": "Da Sie die Browser-Version von Spacedrive verwenden, müssen Sie (vorerst) einen absoluten URL-Pfad eines Ordners angeben, der sich lokal auf dem entfernten Knoten befindet.",
"new_tab": "Neuer Tab",
"new_tag": "Neuer Tag",
"no_files_found_here": "Hier wurden keine Dateien gefunden",
"new_update_available": "Neues Update verfügbar!",
"no_favorite_items": "Keine Lieblingsartikel",
"no_items_found": "Keine Elemente gefunden",
"no_jobs": "Keine Aufgaben.",
"no_labels": "Keine Etiketten",
"no_nodes_found": "Es wurden keine Spacedrive-Knoten gefunden.",
"no_tag_selected": "Kein Tag ausgewählt",
"no_tags": "Keine Tags",
"node_name": "Knotenname",
"no_nodes_found": "Es wurden keine Spacedrive-Knoten gefunden.",
"nodes": "Knoten",
"nodes_description": "Verwalten Sie die Knoten, die mit dieser Bibliothek verbunden sind. Ein Knoten ist eine Instanz von Spacedrives Backend, die auf einem Gerät oder Server läuft. Jeder Knoten führt eine Kopie der Datenbank und synchronisiert über Peer-to-Peer-Verbindungen in Echtzeit.",
"none": "Keine",
@ -306,6 +334,7 @@
"online": "Online",
"open": "Öffnen",
"open_file": "Datei öffnen",
"open_in_new_tab": "In neuem Tab öffnen",
"open_new_location_once_added": "Neuen Standort öffnen, sobald hinzugefügt",
"open_new_tab": "Neuen Tab öffnen",
"open_object": "Objekt öffnen",
@ -327,12 +356,14 @@
"pause": "Pausieren",
"peers": "Peers",
"people": "Personen",
"pin": "Stift",
"privacy": "Privatsphäre",
"privacy_description": "Spacedrive ist für Datenschutz entwickelt, deshalb sind wir Open Source und \"local first\". Deshalb werden wir sehr deutlich machen, welche Daten mit uns geteilt werden.",
"quick_preview": "Schnellvorschau",
"quick_view": "Schnellansicht",
"recent_jobs": "Aktuelle Aufgaben",
"recents": "Zuletzt verwendet",
"recents_notice_message": "Aktuelle Dateien werden erstellt, wenn Sie eine Datei öffnen.",
"regen_labels": "Labels erneuern",
"regen_thumbnails": "Vorschaubilder erneuern",
"regenerate_thumbs": "Vorschaubilder neu generieren",
@ -344,6 +375,7 @@
"rename": "Umbenennen",
"rename_object": "Objekt umbenennen",
"replica": "Replik",
"rescan": "Erneut scannen",
"rescan_directory": "Verzeichnis neu scannen",
"rescan_location": "Standort neu scannen",
"reset": "Zurücksetzen",
@ -357,7 +389,9 @@
"save": "Speichern",
"save_changes": "Änderungen speichern",
"saved_searches": "Gespeicherte Suchen",
"search": "Suchen",
"search_extensions": "Erweiterungen suchen",
"search_for_files_and_actions": "Nach Dateien und Aktionen suchen...",
"secure_delete": "Sicheres Löschen",
"security": "Sicherheit",
"security_description": "Halten Sie Ihren Client sicher.",
@ -377,14 +411,19 @@
"show_path_bar": "Pfadleiste anzeigen",
"show_slider": "Slider anzeigen",
"size": "Größe",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TB",
"skip_login": "Anmeldung überspringen",
"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_a_file": "Eine Datei Spacedropen",
"spacedrop_description": "Sofortiges Teilen mit Geräten, die Spacedrive in Ihrem Netzwerk ausführen.",
"spacedrop_already_progress": "Spacedrop bereits im Gange",
"spacedrop_description": "Sofortiges Teilen mit Geräten, die Spacedrive in Ihrem Netzwerk ausführen.",
"spacedrop_rejected": "Spacedrop abgelehnt",
"square_thumbnails": "Quadratische Vorschaubilder",
"star_on_github": "Auf GitHub als Favorit markieren",
@ -403,13 +442,17 @@
"sync_with_library_description": "Wenn aktiviert, werden Ihre Tastenkombinationen mit der Bibliothek synchronisiert, ansonsten gelten sie nur für diesen Client.",
"tags": "Tags",
"tags_description": "Verwalten Sie Ihre Tags.",
"tags_notice_message": "Diesem Tag sind keine Elemente zugewiesen.",
"telemetry_description": "Schalten Sie EIN, um den Entwicklern detaillierte Nutzung- und Telemetriedaten zur Verfügung zu stellen, die die App verbessern helfen. Schalten Sie AUS, um nur grundlegende Daten zu senden: Ihren Aktivitätsstatus, die App-Version, die Core-Version und die Plattform (z.B. Mobil, Web oder Desktop).",
"telemetry_title": "Zusätzliche Telemetrie- und Nutzungsdaten teilen",
"temperature": "Temperatur",
"text_file": "Textdatei",
"text_size": "Textgröße",
"thank_you_for_your_feedback": "Vielen Dank für Ihr Feedback!",
"thumbnailer_cpu_usage": "CPU-Nutzung des Thumbnailers",
"thumbnailer_cpu_usage_description": "Begrenzen Sie, wie viel CPU der Thumbnailer für Hintergrundverarbeitung verwenden kann.",
"toggle_all": "Alles umschalten",
"toggle_command_palette": "Befehlspalette umschalten",
"toggle_hidden_files": "Versteckte Dateien umschalten",
"toggle_image_slider_within_quick_preview": "Bilderslider innerhalb der Schnellvorschau umschalten",
"toggle_inspector": "Inspektor umschalten",
@ -421,49 +464,19 @@
"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",
"update": "Aktualisieren",
"update_downloaded": "Update heruntergeladen. Starten Sie Spacedrive neu, um zu installieren",
"updated_successfully": "Erfolgreich aktualisiert, Sie verwenden jetzt Version {{version}}",
"usage": "Verwendung",
"usage_description": "Ihre Bibliotheksnutzung und Hardwareinformationen",
"value": "Wert",
"version": "Version {{version}}",
"video_preview_not_supported": "Videovorschau wird nicht unterstützt.",
"view_changes": "Änderungen anzeigen",
"want_to_do_this_later": "Möchten Sie dies später erledigen?",
"website": "Webseite",
"your_account": "Ihr Konto",
"your_account_description": "Spacedrive-Konto und -Informationen.",
"your_local_network": "Ihr lokales Netzwerk",
"your_privacy": "Ihre Privatsphäre",
"new_update_available": "Neues Update verfügbar!",
"version": "Version {{version}}",
"downloading_update": "Update wird heruntergeladen",
"update_downloaded": "Update heruntergeladen. Starten Sie Spacedrive neu, um zu installieren",
"failed_to_download_update": "Update konnte nicht heruntergeladen werden",
"updated_successfully": "Erfolgreich aktualisiert, Sie verwenden jetzt Version {{version}}",
"view_changes": "Änderungen anzeigen",
"update": "Aktualisieren",
"ask_spacedrive": "Fragen Sie Spacedrive",
"close_command_palette": "Befehlspalette schließen",
"disconnected": "Getrennt",
"go_to_labels": "Gehen Sie zu Etiketten",
"go_to_location": "Gehen Sie zum Standort",
"go_to_overview": "Zur Übersicht gehen",
"go_to_recents": "Gehen Sie zu den letzten Nachrichten",
"go_to_settings": "Gehe zu den Einstellungen",
"go_to_tag": "Gehe zum Markieren",
"no_labels": "Keine Etiketten",
"search_for_files_and_actions": "Nach Dateien und Aktionen suchen...",
"toggle_command_palette": "Befehlspalette umschalten",
"pin": "Stift",
"rescan": "Erneut scannen",
"create_file_error": "Fehler beim Erstellen der Datei",
"create_file_success": "Neue Datei erstellt: {{name}}",
"create_folder_error": "Fehler beim Erstellen des Ordners",
"create_folder_success": "Neuer Ordner erstellt: {{name}}",
"empty_file": "Leere Akte",
"new": "Neu",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TB",
"text_file": "Textdatei",
"open_in_new_tab": "In neuem Tab öffnen"
}
"your_privacy": "Ihre Privatsphäre"
}

View file

@ -308,7 +308,7 @@
"new_tab": "New Tab",
"new_tag": "New tag",
"new_update_available": "New Update Available!",
"no_files_found_here": "No files found here",
"location_empty_notice_message": "No files found here",
"no_jobs": "No jobs.",
"no_labels": "No labels",
"no_nodes_found": "No Spacedrive nodes were found.",
@ -465,5 +465,18 @@
"your_privacy": "Your Privacy",
"pin": "Pin",
"rescan": "Rescan",
"open_in_new_tab": "Open in new tab"
"open_in_new_tab": "Open in new tab",
"enable_networking_description": "Allow your node to communicate with other Spacedrive nodes around you.",
"enable_networking_description_required": "Required for library sync or Spacedrop!",
"log_in": "Log in",
"logging_in": "Logging in...",
"no_favorite_items": "No favorite items",
"tags_notice_message": "No items assigned to this tag.",
"recents_notice_message": "Recents are created when you open a file.",
"no_items_found": "No items found",
"search": "Search",
"date_created": "Date Created",
"date_modified": "Date Modified",
"date_indexed": "Date Indexed",
"date_accessed": "Date Accessed"
}

View file

@ -24,6 +24,7 @@
"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",
"assign_tag": "Asignar etiqueta",
"audio_preview_not_supported": "La previsualización de audio no está soportada.",
"back": "Atrás",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Eliminar trabajos finalizados",
"client": "Cliente",
"close": "Cerrar",
"close_command_palette": "Cerrar paleta de comandos",
"close_current_tab": "Cerrar pestaña actual",
"clouds": "Nubes",
"color": "Color",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Copiar ruta al portapapeles",
"copy_success": "Elementos copiados",
"create": "Crear",
"create_file_error": "Error al crear el archivo",
"create_file_success": "Nuevo archivo creado: {{name}}",
"create_folder_error": "Error al crear la carpeta",
"create_folder_success": "Nueva carpeta creada: {{name}}",
"create_library": "Crear una Biblioteca",
"create_library_description": "Las bibliotecas son una base de datos segura, en el dispositivo. Tus archivos permanecen donde están, la Biblioteca los cataloga y almacena todos los datos relacionados con Spacedrive.",
"create_new_library": "Crear nueva biblioteca",
@ -80,6 +86,10 @@
"cut_object": "Cortar objeto",
"cut_success": "Elementos cortados",
"data_folder": "Carpeta de datos",
"date_accessed": "Fecha accesada",
"date_created": "fecha de creacion",
"date_indexed": "Fecha indexada",
"date_modified": "Fecha modificada",
"debug_mode": "Modo de depuración",
"debug_mode_description": "Habilitar funciones de depuración adicionales dentro de la aplicación.",
"default": "Predeterminado",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "Para realizar acciones y operaciones",
"direction": "Dirección",
"disabled": "Deshabilitado",
"disconnected": "Desconectado",
"display_formats": "Formatos de visualización",
"display_name": "Nombre visible",
"distance": "Distancia",
@ -111,13 +122,17 @@
"dont_show_again": "No mostrar de nuevo",
"double_click_action": "Acción de doble clic",
"download": "Descargar",
"downloading_update": "Descargando actualización",
"duplicate": "Duplicar",
"duplicate_object": "Duplicar objeto",
"duplicate_success": "Elementos duplicados",
"edit": "Editar",
"edit_library": "Editar Biblioteca",
"edit_location": "Editar Ubicación",
"empty_file": "Archivo vacío",
"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!",
"encrypt": "Encriptar",
"encrypt_library": "Encriptar Biblioteca",
"encrypt_library_coming_soon": "Encriptación de biblioteca próximamente",
@ -144,6 +159,7 @@
"failed_to_copy_file": "Error al copiar el archivo",
"failed_to_copy_file_path": "Error al copiar la ruta del archivo",
"failed_to_cut_file": "Error al cortar el archivo",
"failed_to_download_update": "Error al descargar la actualización",
"failed_to_duplicate_file": "Error al duplicar el archivo",
"failed_to_generate_checksum": "Error al generar suma de verificación",
"failed_to_generate_labels": "Error al generar etiquetas",
@ -178,6 +194,12 @@
"generatePreviewMedia_label": "Generar medios de vista previa para esta Ubicación",
"generate_checksums": "Generar Sumas de Verificación",
"go_back": "Regresar",
"go_to_labels": "Ir a etiquetas",
"go_to_location": "Ir a la ubicación",
"go_to_overview": "Ir a la descripción general",
"go_to_recents": "Ir a recientes",
"go_to_settings": "Ir a la configuración",
"go_to_tag": "Ir a la etiqueta",
"got_it": "Entendido",
"grid_gap": "Espaciado",
"grid_view": "Vista de Cuadrícula",
@ -189,6 +211,7 @@
"hide_in_sidebar_description": "Prevenir que esta etiqueta se muestre en la barra lateral de la aplicación.",
"hide_location_from_view": "Ocultar ubicación y contenido de la vista",
"home": "Inicio",
"icon_size": "Tamaño del icono",
"image_labeler_ai_model": "Modelo AI de reconocimiento de etiquetas de imagen",
"image_labeler_ai_model_description": "El modelo utilizado para reconocer objetos en imágenes. Los modelos más grandes son más precisos pero más lentos.",
"import": "Importar",
@ -200,8 +223,6 @@
"install_update": "Instalar Actualización",
"installed": "Instalado",
"item_size": "Tamaño de elemento",
"icon_size": "Tamaño del icono",
"text_size": "Tamaño del texto",
"item_with_count_one": "{{count}} artículo",
"item_with_count_other": "{{count}} artículos",
"job_has_been_canceled": "El trabajo ha sido cancelado.",
@ -239,6 +260,7 @@
"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_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",
@ -248,9 +270,11 @@
"locations": "Ubicaciones",
"locations_description": "Administra tus ubicaciones de almacenamiento.",
"lock": "Bloquear",
"log_in": "Acceso",
"log_in_with_browser": "Iniciar sesión con el navegador",
"log_out": "Cerrar sesión",
"logged_in_as": "Conectado como {{email}}",
"logging_in": "Iniciando sesión...",
"logout": "Cerrar sesión",
"manage_library": "Administrar Biblioteca",
"managed": "Gestionado",
@ -283,18 +307,22 @@
"networking": "Redes",
"networking_port": "Puerto de Redes",
"networking_port_description": "El puerto para que la red peer-to-peer de Spacedrive se comunique. Deberías dejar esto deshabilitado a menos que tengas un firewall restrictivo. ¡No expongas al internet!",
"new": "Nuevo",
"new_folder": "Nueva carpeta",
"new_library": "Nueva biblioteca",
"new_location": "Nueva ubicación",
"new_location_web_description": "Como estás utilizando la versión de navegador de Spacedrive, por ahora tendrás que especificar una URL absoluta de un directorio local al nodo remoto.",
"new_tab": "Nueva pestaña",
"new_tag": "Nueva etiqueta",
"no_files_found_here": "No se encontraron archivos aquí",
"new_update_available": "¡Nueva actualización disponible!",
"no_favorite_items": "No hay artículos favoritos",
"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_tag_selected": "No se seleccionó etiqueta",
"no_tags": "No hay etiquetas",
"node_name": "Nombre del Nodo",
"no_nodes_found": "No se encontraron nodos de Spacedrive.",
"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",
@ -306,6 +334,7 @@
"online": "En línea",
"open": "Abrir",
"open_file": "Abrir Archivo",
"open_in_new_tab": "Abrir en una pestaña nueva",
"open_new_location_once_added": "Abrir nueva ubicación una vez agregada",
"open_new_tab": "Abrir nueva pestaña",
"open_object": "Abrir objeto",
@ -327,12 +356,14 @@
"pause": "Pausar",
"peers": "Pares",
"people": "Gente",
"pin": "Alfiler",
"privacy": "Privacidad",
"privacy_description": "Spacedrive está construido para la privacidad, es por eso que somos de código abierto y primero locales. Por eso, haremos muy claro qué datos se comparten con nosotros.",
"quick_preview": "Vista rápida",
"quick_view": "Vista rápida",
"recent_jobs": "Trabajos recientes",
"recents": "Recientes",
"recents_notice_message": "Los recientes se crean cuando abres un archivo.",
"regen_labels": "Regenerar Etiquetas",
"regen_thumbnails": "Regenerar Miniaturas",
"regenerate_thumbs": "Regenerar Miniaturas",
@ -344,6 +375,7 @@
"rename": "Renombrar",
"rename_object": "Renombrar objeto",
"replica": "Réplica",
"rescan": "Volver a escanear",
"rescan_directory": "Reescanear Directorio",
"rescan_location": "Reescanear Ubicación",
"reset": "Restablecer",
@ -357,7 +389,9 @@
"save": "Guardar",
"save_changes": "Guardar Cambios",
"saved_searches": "Búsquedas Guardadas",
"search": "Buscar",
"search_extensions": "Buscar extensiones",
"search_for_files_and_actions": "Buscar archivos y acciones...",
"secure_delete": "Borrado seguro",
"security": "Seguridad",
"security_description": "Mantén tu cliente seguro.",
@ -377,14 +411,19 @@
"show_path_bar": "Mostrar Barra de Ruta",
"show_slider": "Mostrar deslizador",
"size": "Tamaño",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TB",
"skip_login": "Saltar inicio de sesión",
"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_a_file": "Soltar un Archivo",
"spacedrop_description": "Comparta al instante con dispositivos que ejecuten Spacedrive en su red.",
"spacedrop_already_progress": "Spacedrop ya está en progreso",
"spacedrop_description": "Comparta al instante con dispositivos que ejecuten Spacedrive en su red.",
"spacedrop_rejected": "Spacedrop rechazado",
"square_thumbnails": "Miniaturas Cuadradas",
"star_on_github": "Dar estrella en GitHub",
@ -403,13 +442,17 @@
"sync_with_library_description": "Si se habilita, tus atajos de teclado se sincronizarán con la biblioteca, de lo contrario solo se aplicarán a este cliente.",
"tags": "Etiquetas",
"tags_description": "Administra tus etiquetas.",
"tags_notice_message": "No hay elementos asignados a esta etiqueta.",
"telemetry_description": "Activa para proporcionar a los desarrolladores datos detallados de uso y telemetría para mejorar la aplicación. Desactiva para enviar solo datos básicos: tu estado de actividad, versión de la aplicación, versión central y plataforma (por ejemplo, móvil, web o escritorio).",
"telemetry_title": "Compartir datos adicionales de telemetría y uso",
"temperature": "Temperatura",
"text_file": "Archivo de texto",
"text_size": "Tamaño del texto",
"thank_you_for_your_feedback": "¡Gracias por tu retroalimentación!",
"thumbnailer_cpu_usage": "Uso de CPU del generador de miniaturas",
"thumbnailer_cpu_usage_description": "Limita cuánto CPU puede usar el generador de miniaturas para el procesamiento en segundo plano.",
"toggle_all": "Seleccionar todo",
"toggle_command_palette": "Alternar paleta de comandos",
"toggle_hidden_files": "Alternar archivos ocultos",
"toggle_image_slider_within_quick_preview": "Alternar deslizador de imágenes dentro de la vista rápida",
"toggle_inspector": "Alternar inspector",
@ -421,48 +464,19 @@
"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",
"update": "Actualizar",
"update_downloaded": "Actualización descargada. Reinicia Spacedrive para instalar",
"updated_successfully": "Actualizado correctamente, estás en la versión {{version}}",
"usage": "Uso",
"usage_description": "Tu uso de la biblioteca e información del hardware",
"value": "Valor",
"version": "Versión {{version}}",
"video_preview_not_supported": "La vista previa de video no es soportada.",
"view_changes": "Ver cambios",
"want_to_do_this_later": "¿Quieres hacer esto más tarde?",
"website": "Sitio web",
"your_account": "Tu cuenta",
"your_account_description": "Cuenta de Spacedrive e información.",
"your_local_network": "Tu Red Local",
"your_privacy": "Tu Privacidad",
"new_update_available": "¡Nueva actualización disponible!",
"version": "Versión {{version}}",
"downloading_update": "Descargando actualización",
"update_downloaded": "Actualización descargada. Reinicia Spacedrive para instalar",
"failed_to_download_update": "Error al descargar la actualización",
"updated_successfully": "Actualizado correctamente, estás en la versión {{version}}",
"view_changes": "Ver cambios",
"update": "Actualizar",
"ask_spacedrive": "Pregúntale a SpaceDrive",
"close_command_palette": "Cerrar paleta de comandos",
"disconnected": "Desconectado",
"go_to_labels": "Ir a etiquetas",
"go_to_location": "Ir a la ubicación",
"go_to_overview": "Ir a la descripción general",
"go_to_recents": "Ir a recientes",
"go_to_settings": "Ir a la configuración",
"go_to_tag": "Ir a la etiqueta",
"no_labels": "Sin etiquetas",
"search_for_files_and_actions": "Buscar archivos y acciones...",
"toggle_command_palette": "Alternar paleta de comandos",
"pin": "Alfiler",
"rescan": "Volver a escanear",
"create_file_error": "Error al crear el archivo",
"create_file_success": "Nuevo archivo creado: {{name}}",
"create_folder_error": "Error al crear la carpeta",
"create_folder_success": "Nueva carpeta creada: {{name}}",
"empty_file": "Archivo vacío",
"new": "Nuevo",
"size_b": "B",
"size_kb": "kB",
"size_mb": "MB",
"size_gb": "GB",
"size_tb": "TB",
"text_file": "Archivo de texto"
}
"your_privacy": "Tu Privacidad"
}

View file

@ -24,6 +24,7 @@
"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",
"assign_tag": "Attribuer une étiquette",
"audio_preview_not_supported": "L'aperçu audio n'est pas pris en charge.",
"back": "Retour",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Effacer les travaux terminés",
"client": "Client",
"close": "Fermer",
"close_command_palette": "Fermer la palette de commandes",
"close_current_tab": "Fermer l'onglet actuel",
"clouds": "Nuages",
"color": "Couleur",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Copier le chemin dans le presse-papiers",
"copy_success": "Éléments copiés",
"create": "Créer",
"create_file_error": "Erreur lors de la création du fichier",
"create_file_success": "Nouveau fichier créé : {{name}}",
"create_folder_error": "Erreur lors de la création du dossier",
"create_folder_success": "Nouveau dossier créé : {{name}}",
"create_library": "Créer une bibliothèque",
"create_library_description": "Les bibliothèques sont une base de données sécurisée, sur l'appareil. Vos fichiers restent où ils sont, la bibliothèque les catalogue et stocke toutes les données liées à Spacedrive.",
"create_new_library": "Créer une nouvelle bibliothèque",
@ -80,6 +86,10 @@
"cut_object": "Couper l'objet",
"cut_success": "Éléments coupés",
"data_folder": "Dossier de données",
"date_accessed": "Date d'accès",
"date_created": "date créée",
"date_indexed": "Date d'indexation",
"date_modified": "Date modifiée",
"debug_mode": "Mode débogage",
"debug_mode_description": "Activez des fonctionnalités de débogage supplémentaires dans l'application.",
"default": "Défaut",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "Pour effectuer des actions et des opérations",
"direction": "Direction",
"disabled": "Désactivé",
"disconnected": "Débranché",
"display_formats": "Formats d'affichage",
"display_name": "Nom affiché",
"distance": "Distance",
@ -111,13 +122,17 @@
"dont_show_again": "Ne plus afficher",
"double_click_action": "Action double clic",
"download": "Télécharger",
"downloading_update": "Téléchargement de la mise à jour",
"duplicate": "Dupliquer",
"duplicate_object": "Dupliquer l'objet",
"duplicate_success": "Éléments dupliqués",
"edit": "Éditer",
"edit_library": "Éditer la bibliothèque",
"edit_location": "Éditer l'emplacement",
"empty_file": "Fichier vide",
"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 !",
"encrypt": "Chiffrer",
"encrypt_library": "Chiffrer la bibliothèque",
"encrypt_library_coming_soon": "Le chiffrement de la bibliothèque arrive bientôt",
@ -144,6 +159,7 @@
"failed_to_copy_file": "Échec de la copie du fichier",
"failed_to_copy_file_path": "Échec de la copie du chemin du fichier",
"failed_to_cut_file": "Échec de la découpe du fichier",
"failed_to_download_update": "Échec du téléchargement de la mise à jour",
"failed_to_duplicate_file": "Échec de la duplication du fichier",
"failed_to_generate_checksum": "Échec de la génération de la somme de contrôle",
"failed_to_generate_labels": "Échec de la génération des étiquettes",
@ -153,6 +169,7 @@
"failed_to_reindex_location": "Échec de la réindexation de l'emplacement",
"failed_to_remove_file_from_recents": "Échec de la suppression du fichier des éléments récents",
"failed_to_remove_job": "Échec de la suppression du travail.",
"failed_to_rescan_location": "Échec de la nouvelle analyse de l'emplacement",
"failed_to_resume_job": "Échec de la reprise du travail.",
"failed_to_update_location_settings": "Échec de la mise à jour des paramètres de l'emplacement",
"favorite": "Favori",
@ -177,6 +194,12 @@
"generatePreviewMedia_label": "Générer des médias d'aperçu pour cet emplacement",
"generate_checksums": "Générer des sommes de contrôle",
"go_back": "Revenir",
"go_to_labels": "Aller aux étiquettes",
"go_to_location": "Aller à l'emplacement",
"go_to_overview": "Aller à l'aperçu",
"go_to_recents": "Aller aux récents",
"go_to_settings": "Aller aux paramètres",
"go_to_tag": "Aller au tag",
"got_it": "Compris",
"grid_gap": "Écartement de grille",
"grid_view": "Vue en grille",
@ -188,6 +211,7 @@
"hide_in_sidebar_description": "Empêcher cette étiquette de s'afficher dans la barre latérale de l'application.",
"hide_location_from_view": "Masquer l'emplacement et le contenu de la vue",
"home": "Accueil",
"icon_size": "Taille de l'icône",
"image_labeler_ai_model": "Modèle d'IA de reconnaissance d'étiquettes d'image",
"image_labeler_ai_model_description": "Le modèle utilisé pour reconnaître les objets dans les images. Les modèles plus grands sont plus précis mais plus lents.",
"import": "Importer",
@ -199,8 +223,6 @@
"install_update": "Installer la mise à jour",
"installed": "Installé",
"item_size": "Taille de l'élément",
"icon_size": "Taille de l'icône",
"text_size": "Taille du texte",
"item_with_count_one": "{{count}} article",
"item_with_count_other": "{{count}} articles",
"job_has_been_canceled": "Le travail a été annulé.",
@ -238,6 +260,7 @@
"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_path_info": "Le chemin vers cet emplacement, c'est là que les fichiers seront stockés sur le disque.",
"location_type": "Type d'emplacement",
@ -247,9 +270,11 @@
"locations": "Emplacements",
"locations_description": "Gérez vos emplacements de stockage.",
"lock": "Verrouiller",
"log_in": "Se connecter",
"log_in_with_browser": "Se connecter avec le navigateur",
"log_out": "Se déconnecter",
"logged_in_as": "Connecté en tant que {{email}}",
"logging_in": "Se connecter...",
"logout": "Déconnexion",
"manage_library": "Gérer la bibliothèque",
"managed": "Géré",
@ -282,18 +307,22 @@
"networking": "Réseautage",
"networking_port": "Port réseau",
"networking_port_description": "Le port pour la communication en peer-to-peer de Spacedrive. Vous devriez laisser ceci désactivé à moins que vous n'ayez un pare-feu restrictif. Ne pas exposer à internet !",
"new": "Nouveau",
"new_folder": "Nouveau dossier",
"new_library": "Nouvelle bibliothèque",
"new_location": "Nouvel emplacement",
"new_location_web_description": "Comme vous utilisez la version navigateur de Spacedrive, vous devrez (pour l'instant) spécifier une URL absolue d'un répertoire local au nœud distant.",
"new_tab": "Nouvel onglet",
"new_tag": "Nouvelle étiquette",
"no_files_found_here": "Aucun fichier trouvé ici",
"new_update_available": "Nouvelle mise à jour disponible !",
"no_favorite_items": "Aucun article favori",
"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_tag_selected": "Aucune étiquette sélectionnée",
"no_tags": "Aucune étiquette",
"node_name": "Nom du nœud",
"no_nodes_found": "Aucun nœud Spacedrive n'a été trouvé.",
"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",
@ -305,6 +334,7 @@
"online": "En ligne",
"open": "Ouvrir",
"open_file": "Ouvrir le fichier",
"open_in_new_tab": "Ouvrir dans un nouvel onglet",
"open_new_location_once_added": "Ouvrir le nouvel emplacement une fois ajouté",
"open_new_tab": "Ouvrir un nouvel onglet",
"open_object": "Ouvrir l'objet",
@ -326,12 +356,14 @@
"pause": "Pause",
"peers": "Pairs",
"people": "Personnes",
"pin": "Épingle",
"privacy": "Confidentialité",
"privacy_description": "Spacedrive est conçu pour la confidentialité, c'est pourquoi nous sommes open source et local d'abord. Nous serons donc très clairs sur les données partagées avec nous.",
"quick_preview": "Aperçu rapide",
"quick_view": "Vue rapide",
"recent_jobs": "Travaux récents",
"recents": "Récents",
"recents_notice_message": "Les fichiers récents sont créés lorsque vous ouvrez un fichier.",
"regen_labels": "Régénérer les étiquettes",
"regen_thumbnails": "Régénérer les vignettes",
"regenerate_thumbs": "Régénérer les miniatures",
@ -343,6 +375,7 @@
"rename": "Renommer",
"rename_object": "Renommer l'objet",
"replica": "Réplique",
"rescan": "Nouvelle analyse",
"rescan_directory": "Réanalyser le répertoire",
"rescan_location": "Réanalyser l'emplacement",
"reset": "Réinitialiser",
@ -356,7 +389,9 @@
"save": "Sauvegarder",
"save_changes": "Sauvegarder les modifications",
"saved_searches": "Recherches enregistrées",
"search": "Recherche",
"search_extensions": "Rechercher des extensions",
"search_for_files_and_actions": "Rechercher des fichiers et des actions...",
"secure_delete": "Suppression sécurisée",
"security": "Sécurité",
"security_description": "Gardez votre client en sécurité.",
@ -377,9 +412,9 @@
"show_slider": "Afficher le curseur",
"size": "Taille",
"size_b": "o",
"size_gb": "Go",
"size_kb": "Ko",
"size_mb": "Mo",
"size_gb": "Go",
"size_tb": "To",
"skip_login": "Passer la connexion",
"sort_by": "Trier par",
@ -387,8 +422,8 @@
"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_a_file": "Déposer un fichier dans Spacedrive",
"spacedrop_description": "Partagez instantanément avec les appareils exécutant Spacedrive sur votre réseau.",
"spacedrop_already_progress": "Spacedrop déjà en cours",
"spacedrop_description": "Partagez instantanément avec les appareils exécutant Spacedrive sur votre réseau.",
"spacedrop_rejected": "Spacedrop rejeté",
"square_thumbnails": "Vignettes carrées",
"star_on_github": "Mettre une étoile sur GitHub",
@ -407,13 +442,17 @@
"sync_with_library_description": "Si activé, vos raccourcis seront synchronisés avec la bibliothèque, sinon ils s'appliqueront uniquement à ce client.",
"tags": "Étiquettes",
"tags_description": "Gérer vos étiquettes.",
"tags_notice_message": "Aucun élément attribué à cette balise.",
"telemetry_description": "Activez pour fournir aux développeurs des données détaillées d'utilisation et de télémesure afin d'améliorer l'application. Désactivez pour n'envoyer que les données de base : votre statut d'activité, la version de l'application, la version du noyau et la plateforme (par exemple, mobile, web ou ordinateur de bureau).",
"telemetry_title": "Partager des données de télémesure et d'utilisation supplémentaires",
"temperature": "Température",
"text_file": "Fichier texte",
"text_size": "Taille du texte",
"thank_you_for_your_feedback": "Merci pour votre retour d'information !",
"thumbnailer_cpu_usage": "Utilisation CPU du générateur de vignettes",
"thumbnailer_cpu_usage_description": "Limiter la quantité de CPU que le générateur de vignettes peut utiliser pour le traitement en arrière-plan.",
"toggle_all": "Basculer tous",
"toggle_command_palette": "Basculer la palette de commandes",
"toggle_hidden_files": "Activer/désactiver les fichiers cachés",
"toggle_image_slider_within_quick_preview": "Activer/désactiver le curseur d'image dans l'aperçu rapide",
"toggle_inspector": "Activer/désactiver l'inspecteur",
@ -425,45 +464,19 @@
"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",
"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}}",
"usage": "Utilisation",
"usage_description": "Votre utilisation de la bibliothèque et les informations matérielles",
"value": "Valeur",
"version": "Version {{version}}",
"video_preview_not_supported": "L'aperçu vidéo n'est pas pris en charge.",
"view_changes": "Voir les changements",
"want_to_do_this_later": "Vous voulez faire ça plus tard ?",
"website": "Site web",
"your_account": "Votre compte",
"your_account_description": "Compte et informations Spacedrive.",
"your_local_network": "Votre réseau local",
"your_privacy": "Votre confidentialité",
"new_update_available": "Nouvelle mise à jour disponible !",
"version": "Version {{version}}",
"downloading_update": "Téléchargement de la mise à jour",
"update_downloaded": "Mise à jour téléchargée. Redémarrez Spacedrive pour installer",
"failed_to_download_update": "Échec du téléchargement de la mise à jour",
"updated_successfully": "Mise à jour réussie, vous êtes en version {{version}}",
"view_changes": "Voir les changements",
"update": "Mettre à jour",
"ask_spacedrive": "Demandez à Spacedrive",
"close_command_palette": "Fermer la palette de commandes",
"disconnected": "Débranché",
"failed_to_rescan_location": "Échec de la nouvelle analyse de l'emplacement",
"go_to_labels": "Aller aux étiquettes",
"go_to_location": "Aller à l'emplacement",
"go_to_overview": "Aller à l'aperçu",
"go_to_recents": "Aller aux récents",
"go_to_settings": "Aller aux paramètres",
"go_to_tag": "Aller au tag",
"no_labels": "Pas d'étiquettes",
"search_for_files_and_actions": "Rechercher des fichiers et des actions...",
"toggle_command_palette": "Basculer la palette de commandes",
"pin": "Épingle",
"rescan": "Nouvelle analyse",
"create_file_error": "Erreur lors de la création du fichier",
"create_file_success": "Nouveau fichier créé : {{name}}",
"create_folder_error": "Erreur lors de la création du dossier",
"create_folder_success": "Nouveau dossier créé : {{name}}",
"empty_file": "Fichier vide",
"new": "Nouveau",
"text_file": "Fichier texte",
"open_in_new_tab": "Ouvrir dans un nouvel onglet"
}
"your_privacy": "Votre confidentialité"
}

View file

@ -24,6 +24,7 @@
"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",
"assign_tag": "Assegna tag",
"audio_preview_not_supported": "L'anteprima audio non è disponibile.",
"back": "Indietro",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Cancella i lavori completati",
"client": "Client",
"close": "Chiudi",
"close_command_palette": "Chiudi la tavolozza dei comandi",
"close_current_tab": "Chiudi scheda corrente",
"clouds": "Clouds",
"color": "Colore",
@ -60,7 +62,12 @@
"copy_as_path": "Copia come percorso",
"copy_object": "Copia oggetto",
"copy_path_to_clipboard": "Copia percorso nella clipboard",
"copy_success": "Elementi copiati",
"create": "Crea",
"create_file_error": "Errore durante la creazione del file",
"create_file_success": "Nuovo file creato: {{name}}",
"create_folder_error": "Errore durante la creazione della cartella",
"create_folder_success": "Creata una nuova cartella: {{name}}",
"create_library": "Crea una libreria",
"create_library_description": "Le librerie sono un database sicuro sul dispositivo. I tuoi file rimangono dove sono, la Libreria li cataloga e memorizza tutti i dati relativi a Spacedrive",
"create_new_library": "Crea una nuova Libreria",
@ -77,7 +84,12 @@
"custom": "Personalizzato",
"cut": "Taglia",
"cut_object": "Taglia oggetto",
"cut_success": "Articoli tagliati",
"data_folder": "Cartella dati",
"date_accessed": "Data di accesso",
"date_created": "data di creazione",
"date_indexed": "Data indicizzata",
"date_modified": "Data modificata",
"debug_mode": "Modalità debug",
"debug_mode_description": "Abilita funzionalità di debug aggiuntive all'interno dell'app.",
"default": "Predefinito",
@ -110,12 +122,17 @@
"dont_show_again": "Non mostrare di nuovo",
"double_click_action": "Azione doppio click",
"download": "Scaricati",
"downloading_update": "Download dell'aggiornamento",
"duplicate": "Duplicato",
"duplicate_object": "Duplica oggetto",
"duplicate_success": "Elementi duplicati",
"edit": "Modifica",
"edit_library": "Modifica Libreria",
"edit_location": "Modifica Posizione",
"empty_file": "File vuoto",
"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!",
"encrypt": "Crittografa",
"encrypt_library": "Crittografa la Libreria",
"encrypt_library_coming_soon": "La crittografia della libreria arriverà prossimamente",
@ -142,6 +159,7 @@
"failed_to_copy_file": "Impossibile copiare il file",
"failed_to_copy_file_path": "Impossibile copiare il percorso del file",
"failed_to_cut_file": "Impossibile tagliare il file",
"failed_to_download_update": "Impossibile scaricare l'aggiornamento",
"failed_to_duplicate_file": "Impossibile duplicare il file",
"failed_to_generate_checksum": "Impossibile generare il checksum",
"failed_to_generate_labels": "Impossibile generare etichette",
@ -176,6 +194,12 @@
"generatePreviewMedia_label": "Genera anteprime per questa posizione",
"generate_checksums": "Genera i checksum",
"go_back": "Indietro",
"go_to_labels": "Vai alle etichette",
"go_to_location": "Vai alla posizione",
"go_to_overview": "Vai alla panoramica",
"go_to_recents": "Vai ai recenti",
"go_to_settings": "Vai alle impostazioni",
"go_to_tag": "Vai al tag",
"got_it": "Capito",
"grid_gap": "Spaziatura",
"grid_view": "Vista a griglia",
@ -187,6 +211,7 @@
"hide_in_sidebar_description": "Impedisci che questo tag venga visualizzato nella barra laterale dell'app.",
"hide_location_from_view": "Nascondi posizione e contenuti",
"home": "Home",
"icon_size": "Dimensione dell'icona",
"image_labeler_ai_model": "Modello AI per il riconoscimento delle etichette delle immagini",
"image_labeler_ai_model_description": "Il modello utilizzato per riconoscere oggetti nelle immagini. I modelli più grandi sono più precisi ma anche più lenti.",
"import": "Importa",
@ -198,8 +223,6 @@
"install_update": "Installa Aggiornamento",
"installed": "Installato",
"item_size": "Dimensione dell'elemento",
"icon_size": "Dimensione dell'icona",
"text_size": "Dimensione del testo",
"item_with_count_one": "{{count}} elemento",
"item_with_count_other": "{{count}} elementi",
"job_has_been_canceled": "Il lavoro è stato annullato",
@ -237,6 +260,7 @@
"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_path_info": "Il percorso di questa Posizione, è qui che i file verranno archiviati sul disco.",
"location_type": "Tipo Posizione",
@ -246,9 +270,11 @@
"locations": "Posizioni",
"locations_description": "Gestisci le tue posizioni",
"lock": "Blocca",
"log_in": "Login",
"log_in_with_browser": "Accedi con il browser",
"log_out": "Disconnettiti",
"logged_in_as": "Accesso effettuato come {{email}}",
"logging_in": "Entrando...",
"logout": "Esci",
"manage_library": "Gestisci la Libreria",
"managed": "Gestito",
@ -281,18 +307,22 @@
"networking": "Rete",
"networking_port": "Porta di Rete",
"networking_port_description": "La porta su cui comunicare con la rete peer-to-peer di Spacedrive. Dovresti lasciarlo disabilitato a meno che tu non abbia un firewall restrittivo. Non esporre la tua connessione privata a Internet!",
"new": "Nuovo",
"new_folder": "Nuova cartella",
"new_library": "Nuova libreria",
"new_location": "Nuova location",
"new_location_web_description": "Poiché stai utilizzando la versione browser di Spacedrive, per ora dovrai specificare un URL assoluto di una directory locale sul nodo remoto.",
"new_tab": "Nuova Scheda",
"new_tag": "Nuovo tag",
"no_files_found_here": "Nessun file trovato qui",
"new_update_available": "Nuovo aggiornamento disponibile!",
"no_favorite_items": "Nessun articolo preferito",
"no_items_found": "Nessun articolo trovato",
"no_jobs": "Nessun lavoro.",
"no_labels": "Nessuna etichetta",
"no_nodes_found": "Nessun nodo Spacedrive trovato.",
"no_tag_selected": "Nessun tag selezionato",
"no_tags": "Nessun tag",
"node_name": "Nome del nodo",
"no_nodes_found": "Nessun nodo Spacedrive trovato.",
"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",
@ -304,6 +334,7 @@
"online": "Online",
"open": "Apri",
"open_file": "Apri File",
"open_in_new_tab": "Apri in una nuova scheda",
"open_new_location_once_added": "Apri la nuova location una volta aggiunta",
"open_new_tab": "Apri nuova scheda",
"open_object": "Apri oggetto",
@ -318,18 +349,21 @@
"pairing_with_node": "Sto accoppiando con {{node}}",
"paste": "Incolla",
"paste_object": "Incolla oggetto",
"paste_success": "Elementi incollati",
"path": "Percorso",
"path_copied_to_clipboard_description": "Percorso per la location {{location}} copiato nella clipboard.",
"path_copied_to_clipboard_title": "Percorso copiato nella clipboard",
"pause": "Pausa",
"peers": "Peers",
"people": "Persone",
"pin": "Spillo",
"privacy": "Privacy",
"privacy_description": "Spacedrive è progettato per garantire la privacy, ecco perché siamo innanzitutto open source e manteniamo i file in locale. Quindi renderemo molto chiaro quali dati vengono condivisi con noi.",
"quick_preview": "Anteprima rapida",
"quick_view": "Visualizzazione rapida",
"recent_jobs": "Jobs recenti",
"recents": "Recenti",
"recents_notice_message": "I recenti vengono creati quando apri un file.",
"regen_labels": "Rigenera le Labels",
"regen_thumbnails": "Rigenera le anteprime",
"regenerate_thumbs": "Rigenera le anteprime",
@ -341,6 +375,7 @@
"rename": "Rinomina",
"rename_object": "Rinomina oggetto",
"replica": "Replica",
"rescan": "Nuova scansione",
"rescan_directory": "Scansiona di nuovo la Cartella",
"rescan_location": "Scansiona di nuovo la Posizione",
"reset": "Reset",
@ -354,7 +389,9 @@
"save": "Salva",
"save_changes": "Salva le modifiche",
"saved_searches": "Ricerche salvate",
"search": "Ricerca",
"search_extensions": "Cerca estensioni",
"search_for_files_and_actions": "Cerca file e azioni...",
"secure_delete": "Eliminazione sicura",
"security": "Sicurezza",
"security_description": "Tieni al sicuro il tuo client.",
@ -374,14 +411,19 @@
"show_path_bar": "Mostra barra del percorso",
"show_slider": "Mostra slider",
"size": "Dimensione",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TBC",
"skip_login": "Salta l'accesso",
"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_a_file": "Spacedroppa un file",
"spacedrop_description": "Condividi istantaneamente con dispositivi che eseguono Spacedrive sulla tua rete.",
"spacedrop_already_progress": "Spacedrop già in corso",
"spacedrop_description": "Condividi istantaneamente con dispositivi che eseguono Spacedrive sulla tua rete.",
"spacedrop_rejected": "Spacedrop rifiutato",
"square_thumbnails": "Miniature quadrate",
"star_on_github": "Aggiungi ai preferiti su GitHub",
@ -400,13 +442,17 @@
"sync_with_library_description": "Se abilitato, le combinazioni di tasti verranno sincronizzate con la libreria, altrimenti verranno applicate solo a questo client.",
"tags": "Tags",
"tags_description": "Gestisci i tuoi tags.",
"tags_notice_message": "Nessun elemento assegnato a questo tag.",
"telemetry_description": "Attiva per fornire agli sviluppatori dati dettagliati sull'utilizzo e sulla telemetria per migliorare l'app. Disattiva per inviare solo i dati di base: stato della tua attività, versione dell'app, versione principale e piattaforma (ad esempio mobile, web o desktop).",
"telemetry_title": "Condividi ulteriori dati di telemetria e utilizzo",
"temperature": "Temperatura",
"text_file": "File di testo",
"text_size": "Dimensione del testo",
"thank_you_for_your_feedback": "Grazie per il tuo feedback!",
"thumbnailer_cpu_usage": "Utilizzo della CPU per le miniature",
"thumbnailer_cpu_usage_description": "Limita la quantità di CPU che può essere usata per l'elaborazione delle anteprime in background.",
"toggle_all": "Attiva/Disattiva tutto",
"toggle_command_palette": "Attiva/disattiva la tavolozza dei comandi",
"toggle_hidden_files": "Mostra/nascondi file nascosti",
"toggle_image_slider_within_quick_preview": "Mostra/nascondi slider immagini nell'anteprima rapida",
"toggle_inspector": "Mostra/nascondi ispettore",
@ -418,52 +464,19 @@
"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",
"update": "Aggiornamento",
"update_downloaded": "Aggiornamento scaricato. Riavvia Spacedrive per eseguire l'installazione",
"updated_successfully": "Aggiornato con successo, sei sulla versione {{version}}",
"usage": "Utilizzo",
"usage_description": "Informazioni sull'utilizzo della libreria e sull'hardware",
"value": "Valore",
"version": "Versione {{versione}}",
"video_preview_not_supported": "L'anteprima video non è supportata.",
"view_changes": "Visualizza modifiche",
"want_to_do_this_later": "Vuoi farlo più tardi?",
"website": "Sito web",
"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",
"ask_spacedrive": "Chiedi a Spacedrive",
"close_command_palette": "Chiudi la tavolozza dei comandi",
"copy_success": "Elementi copiati",
"cut_success": "Articoli tagliati",
"downloading_update": "Download dell'aggiornamento",
"duplicate_success": "Elementi duplicati",
"failed_to_download_update": "Impossibile scaricare l'aggiornamento",
"go_to_labels": "Vai alle etichette",
"go_to_location": "Vai alla posizione",
"go_to_overview": "Vai alla panoramica",
"go_to_recents": "Vai ai recenti",
"go_to_settings": "Vai alle impostazioni",
"go_to_tag": "Vai al tag",
"new_update_available": "Nuovo aggiornamento disponibile!",
"no_labels": "Nessuna etichetta",
"paste_success": "Elementi incollati",
"search_for_files_and_actions": "Cerca file e azioni...",
"toggle_command_palette": "Attiva/disattiva la tavolozza dei comandi",
"update": "Aggiornamento",
"update_downloaded": "Aggiornamento scaricato. Riavvia Spacedrive per eseguire l'installazione",
"updated_successfully": "Aggiornato con successo, sei sulla versione {{version}}",
"version": "Versione {{versione}}",
"view_changes": "Visualizza modifiche",
"pin": "Spillo",
"rescan": "Nuova scansione",
"create_file_error": "Errore durante la creazione del file",
"create_file_success": "Nuovo file creato: {{name}}",
"create_folder_error": "Errore durante la creazione della cartella",
"create_folder_success": "Creata una nuova cartella: {{name}}",
"empty_file": "File vuoto",
"new": "Nuovo",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TBC",
"text_file": "File di testo",
"open_in_new_tab": "Apri in una nuova scheda"
}
"your_privacy": "La tua Privacy"
}

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "ロケーションのアーカイブ機能は今後実装予定です。",
"archive_info": "ライブラリから、ロケーションのフォルダ構造を保存するために、アーカイブとしてデータを抽出します。",
"are_you_sure": "実行しますか?",
"ask_spacedrive": "スペースドライブに聞いてください",
"assign_tag": "タグを追加",
"audio_preview_not_supported": "オーディオのプレビューには対応していません。",
"back": "戻る",
@ -42,6 +43,7 @@
"clear_finished_jobs": "完了ジョブを削除",
"client": "クライアント",
"close": "閉じる",
"close_command_palette": "コマンドパレットを閉じる",
"close_current_tab": "タブを閉じる",
"clouds": "クラウド",
"color": "色",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "パスをクリップボードにコピー",
"copy_success": "アイテムをコピーしました",
"create": "作成",
"create_file_error": "ファイル作成エラー",
"create_file_success": "新しいファイルを作成しました: {{name}}",
"create_folder_error": "フォルダー作成エラー",
"create_folder_success": "新しいフォルダーを作成しました: {{name}}",
"create_library": "ライブラリを作成",
"create_library_description": "ライブラリは、安全の保証された、デバイス上のデータベースです。ライブラリはファイルをカタログ化し、すべてのSpacedriveの関連データを保存します。",
"create_new_library": "新しいライブラリを作成",
@ -80,6 +86,10 @@
"cut_object": "オブジェクトを切り取り",
"cut_success": "アイテムを切り取りました",
"data_folder": "データフォルダー",
"date_accessed": "アクセス日",
"date_created": "作成日",
"date_indexed": "インデックス付けされた日付",
"date_modified": "日付が変更されました",
"debug_mode": "デバッグモード",
"debug_mode_description": "アプリ内で追加のデバッグ機能を有効にします。",
"default": "デフォルト",
@ -112,13 +122,17 @@
"dont_show_again": "今後表示しない",
"double_click_action": "ダブルクリック時の動作",
"download": "ダウンロード",
"downloading_update": "アップデートをダウンロード中",
"duplicate": "複製",
"duplicate_object": "オブジェクトを複製",
"duplicate_success": "アイテムを複製しました",
"edit": "編集",
"edit_library": "ライブラリを編集",
"edit_location": "ロケーションを編集",
"empty_file": "空のファイル",
"enable_networking": "ネットワークを有効にする",
"enable_networking_description": "ノードが周囲の他の Spacedrive ノードと通信できるようにします。",
"enable_networking_description_required": "ライブラリの同期または Spacedrop に必要です。",
"encrypt": "暗号化",
"encrypt_library": "ライブラリを暗号化する",
"encrypt_library_coming_soon": "ライブラリの暗号化機能は今後実装予定です",
@ -145,6 +159,7 @@
"failed_to_copy_file": "ファイルのコピーに失敗",
"failed_to_copy_file_path": "ファイルパスのコピーに失敗",
"failed_to_cut_file": "ファイルの切り取りに失敗",
"failed_to_download_update": "アップデートのダウンロードに失敗",
"failed_to_duplicate_file": "ファイルの複製に失敗",
"failed_to_generate_checksum": "チェックサムの作成に失敗",
"failed_to_generate_labels": "ラベルの作成に失敗",
@ -179,6 +194,12 @@
"generatePreviewMedia_label": "このロケーションのプレビューメディアを作成する",
"generate_checksums": "チェックサムを作成",
"go_back": "Go Back",
"go_to_labels": "ラベルに移動",
"go_to_location": "場所に行く",
"go_to_overview": "概要に移動",
"go_to_recents": "最近の履歴に移動",
"go_to_settings": "設定に移動",
"go_to_tag": "タグに移動",
"got_it": "了解",
"grid_gap": "表示間隔",
"grid_view": "グリッド ビュー",
@ -190,6 +211,7 @@
"hide_in_sidebar_description": "このタグがアプリのサイドバーに表示されないようにします。",
"hide_location_from_view": "ロケーションとそのコンテンツを非表示にする",
"home": "ホーム",
"icon_size": "アイコンサイズ",
"image_labeler_ai_model": "画像ラベル認識AIモデル",
"image_labeler_ai_model_description": "画像中の物体を認識するためのモデルを設定します。大きいモデルほど正確だが、処理速度は遅くなります。",
"import": "インポート",
@ -201,8 +223,6 @@
"install_update": "アップデートをインストールする",
"installed": "インストール完了",
"item_size": "アイテムの表示サイズ",
"icon_size": "アイコンサイズ",
"text_size": "テキストサイズ",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"job_has_been_canceled": "ジョブが中止されました。",
@ -240,6 +260,7 @@
"location_connected_tooltip": "Location is being watched for changes",
"location_disconnected_tooltip": "Location is not being watched for changes",
"location_display_name_info": "サイドバーに表示されるロケーションの名前を設定します。ディスク上の実際のフォルダの名前は変更されません。",
"location_empty_notice_message": "ファイルが見つかりません",
"location_is_already_linked": "Location is already linked",
"location_path_info": "このロケーションへのパスで、ファイルが保存されるディスク上の場所です。",
"location_type": "ロケーションのタイプ",
@ -249,9 +270,11 @@
"locations": "ロケーション",
"locations_description": "ローケーションを管理します。",
"lock": "ロック",
"log_in": "ログイン",
"log_in_with_browser": "ブラウザでログイン",
"log_out": "ログアウト",
"logged_in_as": "{{email}} でログイン",
"logging_in": "ログイン中...",
"logout": "ログアウト",
"manage_library": "ライブラリの設定",
"managed": "Managed",
@ -284,18 +307,22 @@
"networking": "ネットワーク",
"networking_port": "ネットワークポート",
"networking_port_description": "SpacedriveのP2Pネットワークが使用するポートを設定します。ファイアウォールによる制限がない限り、無効のままにしておくことを推奨します。インターネット上に公開しないでください",
"new": "新しい",
"new_folder": "新しいフォルダー",
"new_library": "新しいライブラリ",
"new_location": "新しいロケーション",
"new_location_web_description": "ブラウザ版のSpacedriveを使用している場合、現時点ではリモートードのローカルディレクトリの絶対URLを指定する必要があります。",
"new_tab": "新しいタブ",
"new_tag": "新しいタグ",
"no_files_found_here": "ファイルが見つかりません",
"new_update_available": "アップデートが利用可能です!",
"no_favorite_items": "お気に入りのアイテムはありません",
"no_items_found": "項目は見つかりませんでした",
"no_jobs": "ジョブがありません。",
"no_labels": "ラベルなし",
"no_nodes_found": "Spacedriveードが見つかりませんでした。",
"no_tag_selected": "タグが選択されていません。",
"no_tags": "タグがありません。",
"node_name": "ノード名",
"no_nodes_found": "Spacedriveードが見つかりませんでした。",
"nodes": "ノード",
"nodes_description": "このライブラリに接続されているードを管理します。ードとは、デバイスまたはサーバー上で動作するSpacedriveのバックエンドのインスタンスです。各ードはデータベースのコピーを持ち、P2P接続を介してリアルタイムで同期を行います。",
"none": "None",
@ -307,6 +334,7 @@
"online": "オンライン",
"open": "開く",
"open_file": "ファイルを開く",
"open_in_new_tab": "新しいタブで開く",
"open_new_location_once_added": "追加した後このロケーションを開く",
"open_new_tab": "新しいタブ",
"open_object": "オブジェクトを開く",
@ -328,12 +356,14 @@
"pause": "一時停止",
"peers": "ピア",
"people": "People",
"pin": "ピン",
"privacy": "プライバシー",
"privacy_description": "Spacedriveはプライバシーを遵守します。だからこそ、私達はオープンソースであり、ローカルでの利用を優先しています。プライバシーのために、どのようなデータが私達と共有されるのかを明示しています。",
"quick_preview": "クイック プレビュー",
"quick_view": "クイック プレビュー",
"recent_jobs": "最近のジョブ",
"recents": "最近のアクセス",
"recents_notice_message": "ファイルを開くと、最近のファイルが作成されます。",
"regen_labels": "ラベルを再作成",
"regen_thumbnails": "サムネイルを再作成",
"regenerate_thumbs": "サムネイルを再作成",
@ -345,6 +375,7 @@
"rename": "名前の変更",
"rename_object": "オブジェクトの名前を変更",
"replica": "Replica",
"rescan": "再スキャン",
"rescan_directory": "ディレクトリを再スキャン",
"rescan_location": "ロケーションを再スキャン",
"reset": "リセット",
@ -358,7 +389,9 @@
"save": "保存",
"save_changes": "変更を保存",
"saved_searches": "保存した検索条件",
"search": "検索",
"search_extensions": "Search extensions",
"search_for_files_and_actions": "ファイルとアクションを検索します...",
"secure_delete": "安全に削除",
"security": "セキュリティ",
"security_description": "クライアントの安全性を保ちます。",
@ -379,9 +412,9 @@
"show_slider": "スライダーを表示",
"size": "サイズ",
"size_b": "バイト",
"size_gb": "ギガバイト",
"size_kb": "キロバイト",
"size_mb": "メガバイト",
"size_gb": "ギガバイト",
"size_tb": "テラバイト",
"skip_login": "ログインをスキップ",
"sort_by": "並べ替え",
@ -389,8 +422,8 @@
"spacedrive_cloud": "Spacedriveクラウド",
"spacedrive_cloud_description": "Spacedriveは常にローカルでの利用を優先しますが、将来的には独自オプションのクラウドサービスを提供する予定です。現在、アカウント認証はフィードバック機能のみに使用されており、それ以外では必要ありません。",
"spacedrop_a_file": "ファイルをSpacedropへ",
"spacedrop_description": "ネットワーク上のSpacedriveを実行しているデバイスと速やかに共有できます。",
"spacedrop_already_progress": "Spacedropは既に実行中です",
"spacedrop_description": "ネットワーク上のSpacedriveを実行しているデバイスと速やかに共有できます。",
"spacedrop_rejected": "Spacedrop rejected",
"square_thumbnails": "Square Thumbnails",
"star_on_github": "Star on GitHub",
@ -409,13 +442,17 @@
"sync_with_library_description": "有効にすると、キーバインドがライブラリと同期されます。無効にすると、このクライアントにのみ適用されます。",
"tags": "タグ",
"tags_description": "タグを管理します。",
"tags_notice_message": "このタグに割り当てられたアイテムはありません。",
"telemetry_description": "有効にすると、アプリを改善するための詳細なテレメトリ・利用状況データが開発者に提供されます。無効にすると、基本的なデータ(実行状況、アプリバージョン、コアバージョン、プラットフォーム[モバイル/ウェブ/デスクトップなど])のみが送信されます。",
"telemetry_title": "テレメトリ・利用状況データを送信する",
"temperature": "温度",
"text_file": "テキストファイル",
"text_size": "テキストサイズ",
"thank_you_for_your_feedback": "フィードバックありがとうございます!",
"thumbnailer_cpu_usage": "サムネイル作成のCPU使用量",
"thumbnailer_cpu_usage_description": "バックグラウンド処理におけるサムネイル作成のCPU使用量を制限します。",
"toggle_all": "Toggle All",
"toggle_command_palette": "コマンドパレットの切り替え",
"toggle_hidden_files": "隠しファイル表示を切り替え",
"toggle_image_slider_within_quick_preview": "クイック プレビュー画面でスライダーを表示",
"toggle_inspector": "詳細パネルを開閉",
@ -427,43 +464,19 @@
"ui_animations": "UIアニメーション",
"ui_animations_description": "ダイアログやその他のUI要素を開いたり閉じたりするときにアニメーションを有効にします。",
"unnamed_location": "名前の無いロケーション",
"update": "アップデート",
"update_downloaded": "アップデートがダウンロードされました。インストールするためにSpacedriveを再起動します。",
"updated_successfully": "バージョン {{version}} へのアップデートが完了しました。",
"usage": "利用状況",
"usage_description": "ライブラリの利用状況とハードウェア情報",
"value": "Value",
"version": "バージョン {{version}}",
"video_preview_not_supported": "ビデオのプレビューには対応していません。",
"view_changes": "変更履歴を見る",
"want_to_do_this_later": "Want to do this later?",
"website": "ウェブサイト",
"your_account": "あなたのアカウント",
"your_account_description": "Spacedriveアカウントの情報",
"your_local_network": "ローカルネットワーク",
"your_privacy": "あなたのプライバシー",
"new_update_available": "アップデートが利用可能です!",
"version": "バージョン {{version}}",
"downloading_update": "アップデートをダウンロード中",
"update_downloaded": "アップデートがダウンロードされました。インストールするためにSpacedriveを再起動します。",
"failed_to_download_update": "アップデートのダウンロードに失敗",
"updated_successfully": "バージョン {{version}} へのアップデートが完了しました。",
"view_changes": "変更履歴を見る",
"update": "アップデート",
"ask_spacedrive": "スペースドライブに聞いてください",
"close_command_palette": "コマンドパレットを閉じる",
"go_to_labels": "ラベルに移動",
"go_to_location": "場所に行く",
"go_to_overview": "概要に移動",
"go_to_recents": "最近の履歴に移動",
"go_to_settings": "設定に移動",
"go_to_tag": "タグに移動",
"no_labels": "ラベルなし",
"search_for_files_and_actions": "ファイルとアクションを検索します...",
"toggle_command_palette": "コマンドパレットの切り替え",
"pin": "ピン",
"rescan": "再スキャン",
"create_file_error": "ファイル作成エラー",
"create_file_success": "新しいファイルを作成しました: {{name}}",
"create_folder_error": "フォルダー作成エラー",
"create_folder_success": "新しいフォルダーを作成しました: {{name}}",
"empty_file": "空のファイル",
"new": "新しい",
"text_file": "テキストファイル",
"open_in_new_tab": "新しいタブで開く"
}
"your_privacy": "あなたのプライバシー"
}

View file

@ -24,6 +24,7 @@
"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",
"assign_tag": "Tag toewijzen",
"audio_preview_not_supported": "Audio voorvertoning wordt niet ondersteund.",
"back": "Terug",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Ruim voltooide taken op",
"client": "Client",
"close": "Sluit",
"close_command_palette": "Sluit het opdrachtpalet",
"close_current_tab": "Huidig tabblad sluiten",
"clouds": "Clouds",
"color": "Kleur",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Kopieer pad naar klembord",
"copy_success": "Items gekopieerd",
"create": "Creëer",
"create_file_error": "Fout bij aanmaken van bestand",
"create_file_success": "Nieuw bestand gemaakt: {{name}}",
"create_folder_error": "Fout bij maken van map",
"create_folder_success": "Nieuwe map gemaakt: {{name}}",
"create_library": "Creëer Bibliotheek",
"create_library_description": "Bibliotheken zijn een veilige lokale database. Je bestanden blijven waar ze zijn, de Bibliotheek catalogiseert ze een slaat alle Spacedrive gerelateerde gegevens op.",
"create_new_library": "Creëer nieuwe bibliotheek",
@ -80,6 +86,10 @@
"cut_object": "Object knippen",
"cut_success": "Items knippen",
"data_folder": "Gegevens Map",
"date_accessed": "Datum geopend",
"date_created": "Datum gecreeërd",
"date_indexed": "Datum geïndexeerd",
"date_modified": "Datum gewijzigd",
"debug_mode": "Debug modus",
"debug_mode_description": "Schakel extra debugging functies in de app in.",
"default": "Standaard",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "Om acties en bewerkingen uit te voeren",
"direction": "Richting",
"disabled": "Uitgeschakeld",
"disconnected": "Losgekoppeld",
"display_formats": "Weergave Eenheden",
"display_name": "Weergave Naam",
"distance": "Afstand",
@ -111,13 +122,17 @@
"dont_show_again": "Niet meer laten zien",
"double_click_action": "Dubbele klikactie",
"download": "Download",
"downloading_update": "Update wordt gedownload",
"duplicate": "Dupliceer",
"duplicate_object": "Object dupliceren",
"duplicate_success": "Items gedupliceerd",
"edit": "Bewerk",
"edit_library": "Bewerk Bibliotheek",
"edit_location": "Bewerk Locatie",
"empty_file": "Leeg bestand",
"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!",
"encrypt": "Versleutel",
"encrypt_library": "Versleutel Bibliotheek",
"encrypt_library_coming_soon": "Bibliotheek versleuteling komt binnenkort",
@ -144,6 +159,7 @@
"failed_to_copy_file": "Kopiëren van bestand is mislukt",
"failed_to_copy_file_path": "Kan bestandspad niet kopiëren",
"failed_to_cut_file": "Knippen van bestand is mislukt",
"failed_to_download_update": "Update kon niet worden gedownload",
"failed_to_duplicate_file": "Kan bestand niet dupliceren",
"failed_to_generate_checksum": "Kan controlegetal niet genereren",
"failed_to_generate_labels": "Kan labels niet genereren",
@ -178,6 +194,12 @@
"generatePreviewMedia_label": "Genereer voorvertoning media voor deze Locatie",
"generate_checksums": "Genereer Controlegetal",
"go_back": "Ga Terug",
"go_to_labels": "Ga naar etiketten",
"go_to_location": "Ga naar locatie",
"go_to_overview": "Ga naar overzicht",
"go_to_recents": "Ga naar recent",
"go_to_settings": "Ga naar Instellingen",
"go_to_tag": "Ga naar taggen",
"got_it": "Begrepen",
"grid_gap": "Tussenruimte",
"grid_view": "Rasterweergave",
@ -189,6 +211,7 @@
"hide_in_sidebar_description": "Voorkom dat deze tag wordt weergegeven in de zijbalk van de app.",
"hide_location_from_view": "Verberg locatie en inhoud uit het zicht",
"home": "Thuismap",
"icon_size": "Pictogramgrootte",
"image_labeler_ai_model": "AI model voor beeldlabelherkenning",
"image_labeler_ai_model_description": "Het model dat wordt gebruikt om objecten in afbeeldingen te herkennen. Grotere modellen zijn nauwkeuriger, maar langzamer.",
"import": "Importeer",
@ -200,8 +223,6 @@
"install_update": "Installeer Update",
"installed": "Geïnstalleerd",
"item_size": "Item grootte",
"icon_size": "Pictogramgrootte",
"text_size": "Tekstgrootte",
"item_with_count_one": "{{count}} item",
"item_with_count_other": "{{count}} items",
"job_has_been_canceled": "Taak is geannuleerd.",
@ -239,6 +260,7 @@
"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_path_info": "Het pad naar deze locatie, dit is waar bestanden op de schijf worden opgeslagen.",
"location_type": "Locatie Type",
@ -248,9 +270,11 @@
"locations": "Locaties",
"locations_description": "Beheer je opslaglocaties.",
"lock": "Vergrendel",
"log_in": "Log in",
"log_in_with_browser": "Inloggen met browser",
"log_out": "Uitloggen",
"logged_in_as": "Ingelogd als {{email}}",
"logging_in": "Inloggen...",
"logout": "Uitloggen",
"manage_library": "Beheer Bibliotheek",
"managed": "Beheerd",
@ -283,18 +307,22 @@
"networking": "Netwerk",
"networking_port": "Netwerk Poort",
"networking_port_description": "De poort waarop het Peer-to-peer netwerk van Spacedrive kan communiceren. Je moet dit uitgeschakeld laten, tenzij je een beperkende firewall hebt. Deze poort niet openstellen aan het internet!",
"new": "Nieuw",
"new_folder": "Nieuwe map",
"new_library": "Nieuwe bibliotheek",
"new_location": "Nieuwe locatie",
"new_location_web_description": "Omdat je de browserversie van Spacedrive gebruikt, moet je (voorlopig) een absolute URL opgeven van een lokale map op de externe node.",
"new_tab": "Nieuw Tabblad",
"new_tag": "Nieuwe tag",
"no_files_found_here": "Er zijn hier geen bestanden gevonden",
"new_update_available": "Nieuwe update beschikbaar!",
"no_favorite_items": "Geen favoriete items",
"no_items_found": "Geen items gevonden",
"no_jobs": "Geen taken.",
"no_labels": "Geen etiketten",
"no_nodes_found": "Er zijn geen Spacedrive-nodes gevonden.",
"no_tag_selected": "Geen Tag Geselecteerd",
"no_tags": "Geen tags",
"node_name": "Node Naam",
"no_nodes_found": "Er zijn geen Spacedrive-nodes gevonden.",
"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",
@ -306,6 +334,7 @@
"online": "Online",
"open": "Open",
"open_file": "Open Bestand",
"open_in_new_tab": "Openen in nieuw tabblad",
"open_new_location_once_added": "Open nieuwe locatie zodra deze is toegevoegd",
"open_new_tab": "Nieuw tabblad openen",
"open_object": "Object openen",
@ -327,12 +356,14 @@
"pause": "Pauzeer",
"peers": "Peers",
"people": "Personen",
"pin": "Pin",
"privacy": "Privacy",
"privacy_description": "Spacedrive is gebouwd met het oog op privacy, daarom zijn we open source en \"local first\". Daarom maken we heel duidelijk welke gegevens met ons worden gedeeld.",
"quick_preview": "Snelle Voorvertoning",
"quick_view": "Geef snel weer",
"recent_jobs": "Recente Taken",
"recents": "Recent",
"recents_notice_message": "Recente bestanden worden gemaakt wanneer u een bestand opent.",
"regen_labels": "Regenereer Labels",
"regen_thumbnails": "Regenereer Miniaturen",
"regenerate_thumbs": "Regenereer Miniaturen",
@ -344,6 +375,7 @@
"rename": "Naam wijzigen",
"rename_object": "Object hernoemen",
"replica": "Replica",
"rescan": "Opnieuw scannen",
"rescan_directory": "Bibliotheek Opnieuw Scannen",
"rescan_location": "Locatie Opnieuw Scannen",
"reset": "Reset",
@ -357,7 +389,9 @@
"save": "Opslaan",
"save_changes": "Wijzigingen Opslaan",
"saved_searches": "Opgeslagen Zoekopdrachten",
"search": "Zoekopdracht",
"search_extensions": "Zoek extensies",
"search_for_files_and_actions": "Zoeken naar bestanden en acties...",
"secure_delete": "Veilig verwijderen",
"security": "Veiligheid",
"security_description": "Houd je client veilig.",
@ -377,14 +411,19 @@
"show_path_bar": "Padbalk Tonen",
"show_slider": "Toon schuifregelaar",
"size": "Grootte",
"size_b": "B",
"size_gb": "GB",
"size_kb": "KB",
"size_mb": "MB",
"size_tb": "TB",
"skip_login": "Inloggen overslaan",
"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_a_file": "Spacedrop een Bestand",
"spacedrop_description": "Deel direct met apparaten die Spacedrive uitvoeren op uw netwerk.",
"spacedrop_already_progress": "Spacedrop is al bezig",
"spacedrop_description": "Deel direct met apparaten die Spacedrive uitvoeren op uw netwerk.",
"spacedrop_rejected": "Spacedrop geweigerd",
"square_thumbnails": "Vierkante Miniaturen",
"star_on_github": "Ster op GitHub",
@ -403,13 +442,17 @@
"sync_with_library_description": "Indien ingeschakeld, worden je toetscombinaties gesynchroniseerd met de bibliotheek, anders zijn ze alleen van toepassing op deze client.",
"tags": "Tags",
"tags_description": "Beheer je tags.",
"tags_notice_message": "Er zijn geen items toegewezen aan deze tag.",
"telemetry_description": "Schakel in om de ontwikkelaars te voorzien van gedetailleerde gebruik en telemetrie gegevens om de app te verbeteren. Schakel uit om alleen basisgegevens te verzenden: je status, app-versie, core versie en platform (bijvoorbeeld, mobiel, browser, of desktop).",
"telemetry_title": "Deel Aanvullende Telemetrie en Gebruiksgegevens",
"temperature": "Temperatuur",
"text_file": "Tekstbestand",
"text_size": "Tekstgrootte",
"thank_you_for_your_feedback": "Bedankt voor je feedback!",
"thumbnailer_cpu_usage": "CPU-gebruik van thumbnailer",
"thumbnailer_cpu_usage_description": "Beperk hoeveel CPU de thumbnailer kan gebruiken voor achtergrondverwerking.",
"toggle_all": "Selecteer Alles",
"toggle_command_palette": "Schakel het opdrachtpalet in of uit",
"toggle_hidden_files": "Verborgen bestanden in-/uitschakelen",
"toggle_image_slider_within_quick_preview": "Afbeeldingsschuifregelaar in snelle voorvertoning in-/uitschakelen",
"toggle_inspector": "Inspector in-/uitschakelen",
@ -421,49 +464,19 @@
"ui_animations": "UI Animaties",
"ui_animations_description": "Dialogen en andere UI elementen zullen animeren bij het openen en sluiten.",
"unnamed_location": "Naamloze Locatie",
"update": "Bijwerken",
"update_downloaded": "Update gedownload. Herstart Spacedrive om te installeren",
"updated_successfully": "Succesvol bijgewerkt, je gebruikt nu versie {{version}}",
"usage": "Gebruik",
"usage_description": "Je bibliotheek gebruik en hardware informatie",
"value": "Waarde",
"version": "Versie {{version}}",
"video_preview_not_supported": "Video voorvertoning wordt niet ondersteund.",
"view_changes": "Bekijk wijzigingen",
"want_to_do_this_later": "Wil je dit later doen?",
"website": "Website",
"your_account": "Je account",
"your_account_description": "Spacedrive account en informatie.",
"your_local_network": "Je Lokale Netwerk",
"your_privacy": "Jouw Privacy",
"new_update_available": "Nieuwe update beschikbaar!",
"version": "Versie {{version}}",
"downloading_update": "Update wordt gedownload",
"update_downloaded": "Update gedownload. Herstart Spacedrive om te installeren",
"failed_to_download_update": "Update kon niet worden gedownload",
"updated_successfully": "Succesvol bijgewerkt, je gebruikt nu versie {{version}}",
"view_changes": "Bekijk wijzigingen",
"update": "Bijwerken",
"ask_spacedrive": "Vraag het aan Space Drive",
"close_command_palette": "Sluit het opdrachtpalet",
"disconnected": "Losgekoppeld",
"go_to_labels": "Ga naar etiketten",
"go_to_location": "Ga naar locatie",
"go_to_overview": "Ga naar overzicht",
"go_to_recents": "Ga naar recent",
"go_to_settings": "Ga naar Instellingen",
"go_to_tag": "Ga naar taggen",
"no_labels": "Geen etiketten",
"search_for_files_and_actions": "Zoeken naar bestanden en acties...",
"toggle_command_palette": "Schakel het opdrachtpalet in of uit",
"pin": "Pin",
"rescan": "Opnieuw scannen",
"create_file_error": "Fout bij aanmaken van bestand",
"create_file_success": "Nieuw bestand gemaakt: {{name}}",
"create_folder_error": "Fout bij maken van map",
"create_folder_success": "Nieuwe map gemaakt: {{name}}",
"empty_file": "Leeg bestand",
"new": "Nieuw",
"size_b": "B",
"size_gb": "GB",
"size_kb": "KB",
"size_mb": "MB",
"size_tb": "TB",
"text_file": "Tekstbestand",
"open_in_new_tab": "Openen in nieuw tabblad"
}
"your_privacy": "Jouw Privacy"
}

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "Архивация локаций скоро появится...",
"archive_info": "Извлечение данных из библиотеки в виде архива, полезно для сохранения структуры локаций.",
"are_you_sure": "Вы уверены?",
"ask_spacedrive": "Спросите Спейсдрайв",
"assign_tag": "Присвоить тег",
"audio_preview_not_supported": "Предварительный просмотр аудио не поддерживается.",
"back": "Назад",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Очистить законченные задачи",
"client": "Клиент",
"close": "Закрыть",
"close_command_palette": "Закрыть палитру команд",
"close_current_tab": "Закрыть текущую вкладку",
"clouds": "Облачные хр.",
"color": "Цвет",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Копировать путь в буфер обмена",
"copy_success": "Элементы скопированы",
"create": "Создать",
"create_file_error": "Ошибка создания файла",
"create_file_success": "Создан новый файл: {{name}}",
"create_folder_error": "Ошибка создания папки",
"create_folder_success": "Создана новая папка: {{name}}.",
"create_library": "Создать библиотеку",
"create_library_description": "Библиотека - это защищенная база данных на устройстве. Ваши файлы остаются на своих местах, библиотека упорядочивает их и хранит все данные, связанные со Spacedrive.",
"create_new_library": "Создайте новую библиотеку",
@ -80,6 +86,10 @@
"cut_object": "Вырезать объект",
"cut_success": "Элементы вырезаны",
"data_folder": "Папка с данными",
"date_accessed": "Дата доступа",
"date_created": "Дата создания",
"date_indexed": "Дата индексации",
"date_modified": "Дата изменена",
"debug_mode": "Режим отладки",
"debug_mode_description": "Включите дополнительные функции отладки в приложении.",
"default": "Стандартный",
@ -112,13 +122,17 @@
"dont_show_again": "Не показывать снова",
"double_click_action": "Действие двойного нажатия",
"download": "Скачать",
"downloading_update": "Загрузка обновления",
"duplicate": "Дублировать",
"duplicate_object": "Дублировать объект",
"duplicate_success": "Элементы дублированы",
"edit": "Редактировать",
"edit_library": "Редактировать библиотеку",
"edit_location": "Редактировать локацию",
"empty_file": "Пустой файл",
"enable_networking": "Включить сетевое взаимодействие",
"enable_networking_description": "Разрешите вашему узлу взаимодействовать с другими узлами Spacedrive вокруг вас.",
"enable_networking_description_required": "Требуется для синхронизации библиотеки или Spacedrop!",
"encrypt": "Зашифровать",
"encrypt_library": "Зашифровать библиотеку",
"encrypt_library_coming_soon": "Шифрование библиотеки скоро появится",
@ -145,6 +159,7 @@
"failed_to_copy_file": "Не удалось скопировать файл",
"failed_to_copy_file_path": "Не удалось скопировать путь к файлу",
"failed_to_cut_file": "Не удалось вырезать файл",
"failed_to_download_update": "Не удалось загрузить обновление",
"failed_to_duplicate_file": "Не удалось создать дубликат файла",
"failed_to_generate_checksum": "Не удалось сгенерировать контрольную сумму",
"failed_to_generate_labels": "Не удалось сгенерировать ярлык",
@ -179,6 +194,12 @@
"generatePreviewMedia_label": "Создайте предварительный просмотр медиафайлов для этой локации",
"generate_checksums": "Генерация контрольных сумм",
"go_back": "Назад",
"go_to_labels": "Перейти к ярлыкам",
"go_to_location": "Перейти к месту",
"go_to_overview": "Перейти к обзору",
"go_to_recents": "Перейти к недавним",
"go_to_settings": "Перейдите в настройки",
"go_to_tag": "Перейти к тегу",
"got_it": "Получилось",
"grid_gap": "Пробел",
"grid_view": "Вид сеткой",
@ -190,6 +211,7 @@
"hide_in_sidebar_description": "Запретите отображение этого тега в боковой панели.",
"hide_location_from_view": "Скрыть локацию и содержимое из вида",
"home": "Главная",
"icon_size": "Размер значков",
"image_labeler_ai_model": "Модель ИИ для генерации ярлыков изображений",
"image_labeler_ai_model_description": "Модель, используемая для распознавания объектов на изображениях. Большие модели более точны, но работают медленнее.",
"import": "Импорт",
@ -201,8 +223,6 @@
"install_update": "Установить обновление",
"installed": "Установлено",
"item_size": "Размер элемента",
"icon_size": "Размер значков",
"text_size": "Размер текста",
"item_with_count_one": "{{count}} элемент",
"item_with_count_other": "{{count}} элементов",
"job_has_been_canceled": "Задача отменена.",
@ -240,6 +260,7 @@
"location_connected_tooltip": "Локация проверяется на изменения",
"location_disconnected_tooltip": "Локация не проверяется на изменения",
"location_display_name_info": "Имя этого месторасположения, которое будет отображаться на боковой панели. Это действие не переименует фактическую папку на диске.",
"location_empty_notice_message": "Файлы не найдены",
"location_is_already_linked": "Локация уже привязана",
"location_path_info": "Путь к этой локации, где файлы будут храниться на диске.",
"location_type": "Тип локации",
@ -249,9 +270,11 @@
"locations": "Локации",
"locations_description": "Управляйте Вашими локациями.",
"lock": "Заблокировать",
"log_in": "Авторизоваться",
"log_in_with_browser": "Войдите в систему с помощью браузера",
"log_out": "Выйти из системы",
"logged_in_as": "Вошли в систему как {{email}}",
"logging_in": "Вход в систему...",
"logout": "Выход из системы",
"manage_library": "Управление библиотекой",
"managed": "Управляемый",
@ -284,18 +307,22 @@
"networking": "Работа в сети",
"networking_port": "Сетевой порт",
"networking_port_description": "Порт для одноранговой сети Spacedrive. Если у вас не установлен ограничительный брандмауэр, этот параметр следует оставить отключенным. Не открывайте доступ в Интернет!",
"new": "Новый",
"new_folder": "Новая папка",
"new_library": "Новая библиотека",
"new_location": "Новая локация",
"new_location_web_description": "Поскольку вы используете браузерную версию Spacedrive, вам (пока что) нужно указать абсолютный URL-адрес каталога, локального для удаленного узла.",
"new_tab": "Новая вкладка",
"new_tag": "Новый тег",
"no_files_found_here": "Файлы не найдены",
"new_update_available": "Доступно новое обновление!",
"no_favorite_items": "Нет любимых предметов",
"no_items_found": "ничего не найдено",
"no_jobs": "Нет задач.",
"no_labels": "Нет ярлыков",
"no_nodes_found": "Не найдено узлов Spacedrive.",
"no_tag_selected": "Тег не выбран",
"no_tags": "Нет тегов",
"node_name": "Имя узла",
"no_nodes_found": "Не найдено узлов Spacedrive.",
"nodes": "Узлы",
"nodes_description": "Управление узлами, подключенными к этой библиотеке. Узел - это экземпляр бэкэнда Spacedrive, работающий на устройстве или сервере. Каждый узел имеет свою копию базы данных и синхронизируется через одноранговые соединения в режиме реального времени.",
"none": "Нет",
@ -307,6 +334,7 @@
"online": "Онлайн",
"open": "Открыть",
"open_file": "Открыть файл",
"open_in_new_tab": "Открыть в новой вкладке",
"open_new_location_once_added": "Открыть новую локацию после добавления",
"open_new_tab": "Открыть новую вкладку",
"open_object": "Открыть объект",
@ -328,12 +356,14 @@
"pause": "Пауза",
"peers": "Участники",
"people": "Люди",
"pin": "приколоть",
"privacy": "Приватность",
"privacy_description": "Spacedrive создан для обеспечения конфиденциальности, поэтому у нас открытый исходный код и локальный подход. Поэтому мы четко указываем, какие данные передаются нам.",
"quick_preview": "Быстрый предпросмотр",
"quick_view": "Быстрый просмотр",
"recent_jobs": "Недавние задачи",
"recents": "Недавнее",
"recents_notice_message": "Недавние создаются при открытии файла.",
"regen_labels": "Регенирировать ярлыки",
"regen_thumbnails": "Регенирировать миниатюры",
"regenerate_thumbs": "Регенирировать миниатюры",
@ -345,6 +375,7 @@
"rename": "Переименовать",
"rename_object": "Переименовать объект",
"replica": "Реплика",
"rescan": "Повторное сканирование",
"rescan_directory": "Повторное сканирование директории",
"rescan_location": "Повторное сканирование локации",
"reset": "Сбросить",
@ -358,7 +389,9 @@
"save": "Сохранить",
"save_changes": "Сохранить изменения",
"saved_searches": "Сохраненные поисковые запросы",
"search": "Поиск",
"search_extensions": "Расширения для поиска",
"search_for_files_and_actions": "Поиск файлов и действий...",
"secure_delete": "Безопасное удаление",
"security": "Безопасность",
"security_description": "Обеспечьте безопасность вашего клиента.",
@ -379,9 +412,9 @@
"show_slider": "Показать ползунок",
"size": "Размер",
"size_b": "Б",
"size_gb": "ГБ",
"size_kb": "kБ",
"size_mb": "МБ",
"size_gb": "ГБ",
"size_tb": "ТБ",
"skip_login": "Пропустить вход",
"sort_by": "Сортировать по",
@ -389,8 +422,8 @@
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "Spacedrive в первую очередь предназначен для локального использования, но в будущем мы предложим собственные дополнительные облачные сервисы. На данный момент аутентификация используется только для функции 'Фидбек', в остальном она не требуется.",
"spacedrop_a_file": "Отправить файл с помощью Spacedrop",
"spacedrop_description": "Мгновенно делитесь с устройствами, работающими с Spacedrive в вашей сети.",
"spacedrop_already_progress": "Spacedrop уже в процессе",
"spacedrop_description": "Мгновенно делитесь с устройствами, работающими с Spacedrive в вашей сети.",
"spacedrop_rejected": "Spacedrop отклонен",
"square_thumbnails": "Квадратные эскизы",
"star_on_github": "Поставить звезду на GitHub",
@ -409,13 +442,17 @@
"sync_with_library_description": "Если эта опция включена, ваши привязанные клавиши будут синхронизированы с библиотекой, в противном случае они будут применяться только к этому клиенту.",
"tags": "Теги",
"tags_description": "Управляйте своими тегами.",
"tags_notice_message": "Этому тегу не присвоено ни одного элемента.",
"telemetry_description": "Включите, чтобы предоставить разработчикам подробные данные об использовании и телеметрии для улучшения приложения. Выключите, чтобы отправлять только основные данные: статус активности, версию приложения, версию ядра и платформу (например, мобильную, веб- или настольную).",
"telemetry_title": "Предоставление дополнительной телеметриии и данных об использовании",
"temperature": "Температура",
"text_file": "Текстовый файл",
"text_size": "Размер текста",
"thank_you_for_your_feedback": "Спасибо за Ваш фидбек!",
"thumbnailer_cpu_usage": "Использование процессора при создании миниатюр",
"thumbnailer_cpu_usage_description": "Ограничьте нагрузку на процессор, которую может использовать программа для создания миниатюр в фоновом режиме.",
"toggle_all": "Включить все",
"toggle_command_palette": "Переключить палитру команд",
"toggle_hidden_files": "Включить видимость скрытых файлов",
"toggle_image_slider_within_quick_preview": "Открыть слайдер изображений в режиме предпросмотра",
"toggle_inspector": "Открыть инспектор",
@ -427,43 +464,19 @@
"ui_animations": "UI Анимации",
"ui_animations_description": "Диалоговые окна и другие элементы пользовательского интерфейса будут анимироваться при открытии и закрытии.",
"unnamed_location": "Безымянная локация",
"update": "Обновить",
"update_downloaded": "Обновление загружено. Перезапустите Spacedrive для установки",
"updated_successfully": "Успешно обновлено, вы используете версию {{version}}",
"usage": "Использование",
"usage_description": "Информация об использовании библиотеки и информация об вашем аппаратном обеспечении",
"value": "Значение",
"version": "Версия {{version}}",
"video_preview_not_supported": "Предварительный просмотр видео не поддерживается.",
"view_changes": "Просмотреть изменения",
"want_to_do_this_later": "Хотите сделать это позже?",
"website": "Веб-сайт",
"your_account": "Ваш аккаунт",
"your_account_description": "Учетная запись Spacedrive и информация.",
"your_local_network": "Ваша локальная сеть",
"your_privacy": "Ваша конфиденциальность",
"new_update_available": "Доступно новое обновление!",
"version": "Версия {{version}}",
"downloading_update": "Загрузка обновления",
"update_downloaded": "Обновление загружено. Перезапустите Spacedrive для установки",
"failed_to_download_update": "Не удалось загрузить обновление",
"updated_successfully": "Успешно обновлено, вы используете версию {{version}}",
"view_changes": "Просмотреть изменения",
"update": "Обновить",
"ask_spacedrive": "Спросите Спейсдрайв",
"close_command_palette": "Закрыть палитру команд",
"go_to_labels": "Перейти к ярлыкам",
"go_to_location": "Перейти к месту",
"go_to_overview": "Перейти к обзору",
"go_to_recents": "Перейти к недавним",
"go_to_settings": "Перейдите в настройки",
"go_to_tag": "Перейти к тегу",
"no_labels": "Нет ярлыков",
"search_for_files_and_actions": "Поиск файлов и действий...",
"toggle_command_palette": "Переключить палитру команд",
"pin": "приколоть",
"rescan": "Повторное сканирование",
"create_file_error": "Ошибка создания файла",
"create_file_success": "Создан новый файл: {{name}}",
"create_folder_error": "Ошибка создания папки",
"create_folder_success": "Создана новая папка: {{name}}.",
"empty_file": "Пустой файл",
"new": "Новый",
"text_file": "Текстовый файл",
"open_in_new_tab": "Открыть в новой вкладке"
}
"your_privacy": "Ваша конфиденциальность"
}

View file

@ -24,6 +24,7 @@
"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",
"assign_tag": "Etiket Ata",
"audio_preview_not_supported": "Ses önizlemesi desteklenmiyor.",
"back": "Geri",
@ -42,6 +43,7 @@
"clear_finished_jobs": "Biten işleri temizle",
"client": "İstemci",
"close": "Kapat",
"close_command_palette": "Komut paletini kapat",
"close_current_tab": "Geçerli sekmeyi kapat",
"clouds": "Bulutlar",
"color": "Renk",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "Yolu panoya kopyala",
"copy_success": "Öğeler kopyalandı",
"create": "Oluştur",
"create_file_error": "Dosya oluşturulurken hata oluştu",
"create_file_success": "Yeni dosya oluşturuldu: {{name}}",
"create_folder_error": "Klasör oluşturulurken hata oluştu",
"create_folder_success": "Yeni klasör oluşturuldu: {{name}}",
"create_library": "Kütüphane Oluştur",
"create_library_description": "Kütüphaneler güvenli, cihaz içi bir veritabanıdır. Dosyalarınız olduğu yerde kalır, Kütüphane onları kataloglar ve tüm Spacedrive ile ilgili verileri depolar.",
"create_new_library": "Yeni kütüphane oluştur",
@ -80,6 +86,10 @@
"cut_object": "Nesneyi kes",
"cut_success": "Öğeleri kes",
"data_folder": "Veri Klasörü",
"date_accessed": "Erişilen tarih",
"date_created": "tarih oluşturuldu",
"date_indexed": "Dizine Eklenme Tarihi",
"date_modified": "Değiştirilme tarihi",
"debug_mode": "Hata Ayıklama Modu",
"debug_mode_description": "Uygulama içinde ek hata ayıklama özelliklerini etkinleştir.",
"default": "Varsayılan",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "Eylemler ve işlemler gerçekleştirmek için",
"direction": "Yön",
"disabled": "Devre Dışı",
"disconnected": "Bağlantı kesildi",
"display_formats": "Görüntüleme Formatları",
"display_name": "Görünen İsim",
"distance": "Mesafe",
@ -111,13 +122,17 @@
"dont_show_again": "Tekrar gösterme",
"double_click_action": "Çift tıklama eylemi",
"download": "İndir",
"downloading_update": "Güncelleme İndiriliyor",
"duplicate": "Kopyala",
"duplicate_object": "Nesneyi çoğalt",
"duplicate_success": "Öğeler kopyalandı",
"edit": "Düzenle",
"edit_library": "Kütüphaneyi Düzenle",
"edit_location": "Konumu Düzenle",
"empty_file": "Boş dosya",
"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!",
"encrypt": "Şifrele",
"encrypt_library": "Kütüphaneyi Şifrele",
"encrypt_library_coming_soon": "Kütüphane şifreleme yakında geliyor",
@ -144,6 +159,7 @@
"failed_to_copy_file": "Dosya kopyalanamadı",
"failed_to_copy_file_path": "Dosya yolu kopyalanamadı",
"failed_to_cut_file": "Dosya kesilemedi",
"failed_to_download_update": "Güncelleme indirme başarısız",
"failed_to_duplicate_file": "Dosya kopyalanamadı",
"failed_to_generate_checksum": "Kontrol toplamı oluşturulamadı",
"failed_to_generate_labels": "Etiketler oluşturulamadı",
@ -178,6 +194,12 @@
"generatePreviewMedia_label": "Bu Konum için önizleme medyası oluştur",
"generate_checksums": "Kontrol Toplamları Oluştur",
"go_back": "Geri Dön",
"go_to_labels": "Etiketlere git",
"go_to_location": "Konuma git",
"go_to_overview": "Genel bakışa git",
"go_to_recents": "Son aramalara git",
"go_to_settings": "Ayarlara git",
"go_to_tag": "Etikete git",
"got_it": "Anladım",
"grid_gap": "Boşluk",
"grid_view": "Izgara Görünümü",
@ -189,6 +211,7 @@
"hide_in_sidebar_description": "Bu etiketin uygulamanın kenar çubuğunda gösterilmesini engelle.",
"hide_location_from_view": "Konumu ve içeriğini görünümden gizle",
"home": "Ev",
"icon_size": "Simge boyutu",
"image_labeler_ai_model": "Resim etiket tanıma AI modeli",
"image_labeler_ai_model_description": "Resimlerdeki nesneleri tanımak için kullanılan model. Daha büyük modeller daha doğru ancak daha yavaştır.",
"import": "İçe Aktar",
@ -200,8 +223,6 @@
"install_update": "Güncellemeyi Yükle",
"installed": "Yüklendi",
"item_size": "Öğe Boyutu",
"icon_size": "Simge boyutu",
"text_size": "Metin boyutu",
"item_with_count_one": "{{count}} madde",
"item_with_count_other": "{{count}} maddeler",
"job_has_been_canceled": "İş iptal edildi.",
@ -239,6 +260,7 @@
"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_path_info": "Bu Konumun yolu, dosyaların disk üzerinde saklandığı yerdir.",
"location_type": "Konum Türü",
@ -248,9 +270,11 @@
"locations": "Konumlar",
"locations_description": "Depolama konumlarınızı yönetin.",
"lock": "Kilitle",
"log_in": "Giriş yapmak",
"log_in_with_browser": "Tarayıcı ile Giriş Yap",
"log_out": ıkış Yap",
"logged_in_as": "{{email}} olarak giriş yapıldı",
"logging_in": "Giriş...",
"logout": ıkış Yap",
"manage_library": "Kütüphaneyi Yönet",
"managed": "Yönetilen",
@ -283,18 +307,22 @@
"networking": "Ağ",
"networking_port": "Ağ Portu",
"networking_port_description": "Spacedrive'in Eşler Arası ağ iletişimi için kullanılacak port. Restriktif bir güvenlik duvarınız yoksa bunu devre dışı bırakmalısınız. İnternete açmayın!",
"new": "Yeni",
"new_folder": "Yeni Klasör",
"new_library": "Yeni kütüphane",
"new_location": "Yeni konum",
"new_location_web_description": "Spacedrive'ın tarayıcı versiyonunu kullanıyorsanız, şimdilik uzak düğüme yerel bir dizinin mutlak URL'sini belirtmeniz gerekecek.",
"new_tab": "Yeni Sekme",
"new_tag": "Yeni etiket",
"no_files_found_here": "Burada dosya bulunamadı",
"new_update_available": "Yeni Güncelleme Mevcut!",
"no_favorite_items": "Favori öğe yok",
"no_items_found": "hiç bir öğe bulunamadı",
"no_jobs": "İş yok.",
"no_labels": "Etiket yok",
"no_nodes_found": "Spacedrive düğümleri bulunamadı.",
"no_tag_selected": "Etiket Seçilmedi",
"no_tags": "Etiket yok",
"node_name": "Düğüm Adı",
"no_nodes_found": "Spacedrive düğümleri bulunamadı.",
"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",
@ -306,6 +334,7 @@
"online": "Çevrimiçi",
"open": "Aç",
"open_file": "Dosyayı Aç",
"open_in_new_tab": "Yeni sekmede aç",
"open_new_location_once_added": "Yeni konum eklendikten sonra aç",
"open_new_tab": "Yeni sekme aç",
"open_object": "Nesneyi aç",
@ -327,12 +356,14 @@
"pause": "Durdur",
"peers": "Eşler",
"people": "İnsanlar",
"pin": "Toplu iğne",
"privacy": "Gizlilik",
"privacy_description": "Spacedrive gizlilik için tasarlandı, bu yüzden açık kaynaklı ve yerel ilkeliyiz. Bu yüzden hangi verilerin bizimle paylaşıldığı konusunda çok açık olacağız.",
"quick_preview": "Hızlı Önizleme",
"quick_view": "Hızlı bakış",
"recent_jobs": "Son İşler",
"recents": "Son Kullanılanlar",
"recents_notice_message": "Son kullanılanlar, bir dosyayı açtığınızda oluşturulur.",
"regen_labels": "Etiketleri Yeniden Oluştur",
"regen_thumbnails": "Küçük Resimleri Yeniden Oluştur",
"regenerate_thumbs": "Küçük Resimleri Yeniden Oluştur",
@ -344,6 +375,7 @@
"rename": "Yeniden Adlandır",
"rename_object": "Nesneyi yeniden adlandır",
"replica": "Replika",
"rescan": "Yeniden tara",
"rescan_directory": "Dizini Yeniden Tara",
"rescan_location": "Konumu Yeniden Tara",
"reset": "Sıfırla",
@ -357,7 +389,9 @@
"save": "Kaydet",
"save_changes": "Değişiklikleri Kaydet",
"saved_searches": "Kaydedilen Aramalar",
"search": "Aramak",
"search_extensions": "Arama uzantıları",
"search_for_files_and_actions": "Dosyaları ve eylemleri arayın...",
"secure_delete": "Güvenli sil",
"security": "Güvenlik",
"security_description": "İstemcinizi güvende tutun.",
@ -377,14 +411,19 @@
"show_path_bar": "Yol Çubuğunu Göster",
"show_slider": "Kaydırıcıyı Göster",
"size": "Boyut",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TB",
"skip_login": "Girişi Atla",
"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_a_file": "Bir Dosya Spacedropa",
"spacedrop_description": "Ağınızda Spacedrive çalıştıran cihazlarla anında paylaşın.",
"spacedrop_already_progress": "Spacedrop zaten devam ediyor",
"spacedrop_description": "Ağınızda Spacedrive çalıştıran cihazlarla anında paylaşın.",
"spacedrop_rejected": "Spacedrop reddedildi",
"square_thumbnails": "Kare Küçük Resimler",
"star_on_github": "GitHub'da Yıldızla",
@ -403,13 +442,17 @@
"sync_with_library_description": "Etkinleştirilirse tuş bağlamalarınız kütüphane ile senkronize edilecek, aksi takdirde yalnızca bu istemciye uygulanacak.",
"tags": "Etiketler",
"tags_description": "Etiketlerinizi yönetin.",
"tags_notice_message": "Bu etikete atanan öğe yok.",
"telemetry_description": "Uygulamayı iyileştirmek için geliştiricilere detaylı kullanım ve telemetri verisi sağlamak için AÇIK konumuna getirin. Yalnızca temel verileri göndermek için KAPALI konumuna getirin: faaliyet durumunuz, uygulama sürümü, çekirdek sürümü ve platform (örn., mobil, web veya masaüstü).",
"telemetry_title": "Ek Telemetri ve Kullanım Verisi Paylaş",
"temperature": "Sıcaklık",
"text_file": "Metin dosyası",
"text_size": "Metin boyutu",
"thank_you_for_your_feedback": "Geribildiriminiz için teşekkür ederiz!",
"thumbnailer_cpu_usage": "Küçükresim Oluşturucunun CPU kullanımı",
"thumbnailer_cpu_usage_description": "Küçükresim oluşturucunun arka planda işleme için ne kadar CPU kullanacağını sınırlayın.",
"toggle_all": "Hepsini Değiştir",
"toggle_command_palette": "Komut paletini değiştir",
"toggle_hidden_files": "Gizli dosyaları aç/kapat",
"toggle_image_slider_within_quick_preview": "Hızlı önizleme içinde resim kaydırıcısını aç/kapat",
"toggle_inspector": "Denetleyiciyi aç/kapat",
@ -421,49 +464,19 @@
"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",
"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",
"usage": "Kullanım",
"usage_description": "Kütüphanenizi kullanımı ve donanım bilgileri",
"value": "Değer",
"version": "Sürüm {{version}}",
"video_preview_not_supported": "Video ön izlemesi desteklenmiyor.",
"view_changes": "Değişiklikleri Görüntüle",
"want_to_do_this_later": "Bunu daha sonra yapmak ister misiniz?",
"website": "Web Sitesi",
"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",
"new_update_available": "Yeni Güncelleme Mevcut!",
"version": "Sürüm {{version}}",
"downloading_update": "Güncelleme İndiriliyor",
"update_downloaded": "Güncelleme İndirildi. Yüklemek için Spacedrive'ı yeniden başlatın",
"failed_to_download_update": "Güncelleme indirme başarısız",
"updated_successfully": "Başarıyla güncellendi, şu anda {{version}} sürümündesiniz",
"view_changes": "Değişiklikleri Görüntüle",
"update": "Güncelleme",
"ask_spacedrive": "Spacedrive'a sor",
"close_command_palette": "Komut paletini kapat",
"disconnected": "Bağlantı kesildi",
"go_to_labels": "Etiketlere git",
"go_to_location": "Konuma git",
"go_to_overview": "Genel bakışa git",
"go_to_recents": "Son aramalara git",
"go_to_settings": "Ayarlara git",
"go_to_tag": "Etikete git",
"no_labels": "Etiket yok",
"search_for_files_and_actions": "Dosyaları ve eylemleri arayın...",
"toggle_command_palette": "Komut paletini değiştir",
"pin": "Toplu iğne",
"rescan": "Yeniden tara",
"create_file_error": "Dosya oluşturulurken hata oluştu",
"create_file_success": "Yeni dosya oluşturuldu: {{name}}",
"create_folder_error": "Klasör oluşturulurken hata oluştu",
"create_folder_success": "Yeni klasör oluşturuldu: {{name}}",
"empty_file": "Boş dosya",
"new": "Yeni",
"size_b": "B",
"size_gb": "GB",
"size_kb": "kB",
"size_mb": "MB",
"size_tb": "TB",
"text_file": "Metin dosyası",
"open_in_new_tab": "Yeni sekmede aç"
}
"your_privacy": "Gizliliğiniz"
}

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "存档位置功能即将推出……",
"archive_info": "将库中的数据作为存档提取,有利于保留位置文件夹结构。",
"are_you_sure": "您确定吗?",
"ask_spacedrive": "询问 Spacedrive",
"assign_tag": "分配标签",
"audio_preview_not_supported": "不支持音频预览。",
"back": "返回",
@ -42,6 +43,7 @@
"clear_finished_jobs": "清除已完成的任务",
"client": "客户端",
"close": "关闭",
"close_command_palette": "关闭命令面板",
"close_current_tab": "关闭当前标签页",
"clouds": "云",
"color": "颜色",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "复制路径到剪贴板",
"copy_success": "项目已复制",
"create": "创建",
"create_file_error": "创建文件时出错",
"create_file_success": "创建新文件:{{name}}",
"create_folder_error": "创建文件夹时出错",
"create_folder_success": "创建了新文件夹:{{name}}",
"create_library": "创建库",
"create_library_description": "库是一个安全的设备上的数据库。您的文件保持原位库对其进行目录编制并存储所有Spacedrive相关数据。",
"create_new_library": "创建新库",
@ -80,6 +86,10 @@
"cut_object": "剪切对象",
"cut_success": "剪切项目",
"data_folder": "数据目录",
"date_accessed": "访问日期",
"date_created": "创建日期",
"date_indexed": "索引日期",
"date_modified": "修改日期",
"debug_mode": "调试模式",
"debug_mode_description": "在应用内启用额外的调试功能。",
"default": "默认",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "执行操作",
"direction": "方向",
"disabled": "已禁用",
"disconnected": "已断开连接",
"display_formats": "显示格式",
"display_name": "显示名称",
"distance": "距离",
@ -111,13 +122,17 @@
"dont_show_again": "不再显示",
"double_click_action": "双击操作",
"download": "下载",
"downloading_update": "下载更新",
"duplicate": "复制",
"duplicate_object": "复制对象",
"duplicate_success": "项目已复制",
"edit": "编辑",
"edit_library": "编辑库",
"edit_location": "编辑位置",
"empty_file": "空的文件",
"enable_networking": "启用网络",
"enable_networking_description": "允许您的节点与您周围的其他 Spacedrive 节点进行通信。",
"enable_networking_description_required": "库同步或 Spacedrop 所需!",
"encrypt": "加密",
"encrypt_library": "加密库",
"encrypt_library_coming_soon": "库加密即将推出",
@ -144,6 +159,7 @@
"failed_to_copy_file": "复制文件失败",
"failed_to_copy_file_path": "复制文件路径失败",
"failed_to_cut_file": "剪切文件失败",
"failed_to_download_update": "无法下载更新",
"failed_to_duplicate_file": "复制文件失败",
"failed_to_generate_checksum": "生成校验和失败",
"failed_to_generate_labels": "生成标签失败",
@ -178,6 +194,12 @@
"generatePreviewMedia_label": "为这个位置生成预览媒体",
"generate_checksums": "生成校验和",
"go_back": "返回",
"go_to_labels": "转到标签",
"go_to_location": "前往地点",
"go_to_overview": "前往概览",
"go_to_recents": "转到最近的内容",
"go_to_settings": "前往设置",
"go_to_tag": "转到标签",
"got_it": "明白了",
"grid_gap": "间隙",
"grid_view": "网格视图",
@ -189,6 +211,7 @@
"hide_in_sidebar_description": "阻止此标签在应用的侧边栏中显示。",
"hide_location_from_view": "隐藏位置和内容的视图",
"home": "主页",
"icon_size": "图标大小",
"image_labeler_ai_model": "图像标签识别 AI 模型",
"image_labeler_ai_model_description": "用于识别图像中对象的模型。较大的模型更准确但速度较慢。",
"import": "导入",
@ -200,8 +223,6 @@
"install_update": "安装更新",
"installed": "已安装",
"item_size": "项目大小",
"icon_size": "图标大小",
"text_size": "文字大小",
"item_with_count_one": "{{count}} 项目",
"item_with_count_other": "{{count}} 项目",
"job_has_been_canceled": "作业已取消。",
@ -239,6 +260,7 @@
"location_connected_tooltip": "位置正在监视变化",
"location_disconnected_tooltip": "位置未被监视以检查更改",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
"location_empty_notice_message": "这个地方空空如也",
"location_is_already_linked": "位置已经链接",
"location_path_info": "此位置的路径,这是文件在磁盘上的存储位置。",
"location_type": "位置类型",
@ -248,9 +270,11 @@
"locations": "位置",
"locations_description": "管理您的存储位置。",
"lock": "锁定",
"log_in": "登录",
"log_in_with_browser": "用浏览器登录",
"log_out": "退出登录",
"logged_in_as": "已登录为{{email}}",
"logging_in": "在登录...",
"logout": "退出登录",
"manage_library": "管理库",
"managed": "已管理",
@ -283,18 +307,22 @@
"networking": "网络",
"networking_port": "网络端口",
"networking_port_description": "Spacedrive 点对点网络通信使用的端口。除非您有防火墙来限制,否则应保持此项禁用。不要在互联网上暴露自己!",
"new": "新的",
"new_folder": "新文件夹",
"new_library": "新库",
"new_location": "新位置",
"new_location_web_description": "由于您正在使用Spacedrive的浏览器版本您将目前需要指定远程节点本地目录的绝对URL。",
"new_tab": "新标签",
"new_tag": "新标签",
"no_files_found_here": "这个地方空空如也",
"new_update_available": "新版本可用!",
"no_favorite_items": "没有最喜欢的物品",
"no_items_found": "未找到任何项目",
"no_jobs": "没有作业。",
"no_labels": "无标签",
"no_nodes_found": "找不到 Spacedrive 节点.",
"no_tag_selected": "没有选中的标签",
"no_tags": "没有标签",
"node_name": "节点名称",
"no_nodes_found": "找不到 Spacedrive 节点.",
"nodes": "节点",
"nodes_description": "管理连接到此库的节点。节点是在设备或服务器上运行的Spacedrive后端的实例。每个节点都携带数据库副本并通过点对点连接实时同步。",
"none": "无",
@ -306,6 +334,7 @@
"online": "在线",
"open": "打开",
"open_file": "打开文件",
"open_in_new_tab": "在新标签页中打开",
"open_new_location_once_added": "添加新位置后立即打开",
"open_new_tab": "打开新标签页",
"open_object": "打开对象",
@ -327,12 +356,14 @@
"pause": "暂停",
"peers": "个端点",
"people": "人们",
"pin": "别针",
"privacy": "隐私",
"privacy_description": "Spacedrive是为隐私而构建的这就是为什么我们是开源的以本地优先。因此我们会非常明确地告诉您与我们分享了什么数据。",
"quick_preview": "快速预览",
"quick_view": "快速查看",
"recent_jobs": "最近的作业",
"recents": "最近使用",
"recents_notice_message": "打开文件时会创建最近的文件。",
"regen_labels": "重新生成标签",
"regen_thumbnails": "重新生成缩略图",
"regenerate_thumbs": "重新生成缩略图",
@ -344,6 +375,7 @@
"rename": "重命名",
"rename_object": "重命名对象",
"replica": "副本",
"rescan": "重新扫描",
"rescan_directory": "重新扫描目录",
"rescan_location": "重新扫描位置",
"reset": "重置",
@ -357,7 +389,9 @@
"save": "保存",
"save_changes": "保存更改",
"saved_searches": "保存的搜索",
"search": "搜索",
"search_extensions": "搜索扩展",
"search_for_files_and_actions": "搜索文件和操作...",
"secure_delete": "安全删除",
"security": "安全",
"security_description": "确保您的客户端安全。",
@ -377,14 +411,19 @@
"show_path_bar": "显示路径栏",
"show_slider": "显示滑块",
"size": "大小",
"size_b": "乙",
"size_gb": "国标",
"size_kb": "千字节",
"size_mb": "MB",
"size_tb": "结核病",
"skip_login": "跳过登录",
"sort_by": "排序依据",
"spacedrive_account": "Spacedrive 账户",
"spacedrive_cloud": "Spacedrive 云",
"spacedrive_cloud_description": "Spacedrive 始终优先重视本地资源,但我们未来会提供可选的自有云服务。目前,身份验证仅用于反馈功能。",
"spacedrop_a_file": "使用 Spacedrop 传输文件",
"spacedrop_description": "与在您的网络上运行 Spacedrive 的设备即时共享。",
"spacedrop_already_progress": "Spacedrop 已在进行中",
"spacedrop_description": "与在您的网络上运行 Spacedrive 的设备即时共享。",
"spacedrop_rejected": "Spacedrop 被拒绝",
"square_thumbnails": "方形缩略图",
"star_on_github": "在 GitHub 上送一个 star",
@ -403,13 +442,17 @@
"sync_with_library_description": "如果启用,您的键绑定将与库同步,否则它们只适用于此客户端。",
"tags": "标签",
"tags_description": "管理您的标签。",
"tags_notice_message": "没有项目分配给该标签。",
"telemetry_description": "启用以向开发者提供详细的使用情况和遥测数据来改善应用程序。禁用则将只发送基本数据您的活动状态、应用版本、应用内核版本以及平台例如移动端、web 端或桌面端)。",
"telemetry_title": "共享额外的遥测和使用数据",
"temperature": "温度",
"text_file": "文本文件",
"text_size": "文字大小",
"thank_you_for_your_feedback": "感谢您的反馈!",
"thumbnailer_cpu_usage": "缩略图生成器 CPU 使用",
"thumbnailer_cpu_usage_description": "限制缩略图生成器在后台处理时可以使用 CPU 的量。",
"toggle_all": "切换全部",
"toggle_command_palette": "切换命令面板",
"toggle_hidden_files": "显示/隐藏文件",
"toggle_image_slider_within_quick_preview": "在快速预览中切换图像滑块",
"toggle_inspector": "切换检查器",
@ -421,49 +464,19 @@
"ui_animations": "用户界面动画",
"ui_animations_description": "打开和关闭时对话框和其他用户界面元素将产生动画效果。",
"unnamed_location": "未命名位置",
"update": "更新",
"update_downloaded": "更新已下载。重新启动 Spacedrive 以安装",
"updated_successfully": "成功更新,您当前使用的是版本 {{version}}",
"usage": "使用情况",
"usage_description": "您的库使用情况和硬件信息",
"value": "值",
"version": "版本 {{version}}",
"video_preview_not_supported": "不支持视频预览。",
"view_changes": "查看更改",
"want_to_do_this_later": "想稍后再做吗?",
"website": "网站",
"your_account": "您的账户",
"your_account_description": "Spacedrive账号和信息。",
"your_local_network": "您的本地网络",
"your_privacy": "您的隐私",
"new_update_available": "新版本可用!",
"version": "版本 {{version}}",
"downloading_update": "下载更新",
"update_downloaded": "更新已下载。重新启动 Spacedrive 以安装",
"failed_to_download_update": "无法下载更新",
"updated_successfully": "成功更新,您当前使用的是版本 {{version}}",
"view_changes": "查看更改",
"update": "更新",
"ask_spacedrive": "询问 Spacedrive",
"close_command_palette": "关闭命令面板",
"disconnected": "已断开连接",
"go_to_labels": "转到标签",
"go_to_location": "前往地点",
"go_to_overview": "前往概览",
"go_to_recents": "转到最近的内容",
"go_to_settings": "前往设置",
"go_to_tag": "转到标签",
"no_labels": "无标签",
"search_for_files_and_actions": "搜索文件和操作...",
"toggle_command_palette": "切换命令面板",
"pin": "别针",
"rescan": "重新扫描",
"create_file_error": "创建文件时出错",
"create_file_success": "创建新文件:{{name}}",
"create_folder_error": "创建文件夹时出错",
"create_folder_success": "创建了新文件夹:{{name}}",
"empty_file": "空的文件",
"new": "新的",
"size_b": "乙",
"size_gb": "国标",
"size_kb": "千字节",
"size_mb": "MB",
"size_tb": "结核病",
"text_file": "文本文件",
"open_in_new_tab": "在新标签页中打开"
"your_privacy": "您的隐私"
}

View file

@ -24,6 +24,7 @@
"archive_coming_soon": "存檔位置功能即將開通...",
"archive_info": "將數據從圖書館中提取出來作為存檔,用途是保存位置文件夾結構。",
"are_you_sure": "您確定嗎?",
"ask_spacedrive": "詢問 Spacedrive",
"assign_tag": "指定標籤",
"audio_preview_not_supported": "不支援音頻預覽。",
"back": "返回",
@ -42,6 +43,7 @@
"clear_finished_jobs": "清除已完成的工作",
"client": "客戶端",
"close": "關閉",
"close_command_palette": "關閉命令面板",
"close_current_tab": "關閉目前分頁",
"clouds": "雲",
"color": "顏色",
@ -62,6 +64,10 @@
"copy_path_to_clipboard": "複製路徑到剪貼簿",
"copy_success": "項目已複製",
"create": "創建",
"create_file_error": "建立文件時出錯",
"create_file_success": "建立新檔案:{{name}}",
"create_folder_error": "建立資料夾時出錯",
"create_folder_success": "建立了新資料夾:{{name}}",
"create_library": "創建圖書館",
"create_library_description": "圖書館是一個安全的、設備上的數據庫。您的文件保留在原地圖書館對其進行目錄整理並存儲所有Spacedrive相關數據。",
"create_new_library": "創建新圖書館",
@ -80,6 +86,10 @@
"cut_object": "剪下物件",
"cut_success": "剪下項目",
"data_folder": "數據文件夾",
"date_accessed": "訪問日期",
"date_created": "建立日期",
"date_indexed": "索引日期",
"date_modified": "修改日期",
"debug_mode": "除錯模式",
"debug_mode_description": "在應用程序中啟用額外的除錯功能。",
"default": "默認",
@ -104,6 +114,7 @@
"dialog_shortcut_description": "執行操作和操作",
"direction": "方向",
"disabled": "已禁用",
"disconnected": "已斷開連接",
"display_formats": "顯示格式",
"display_name": "顯示名稱",
"distance": "距離",
@ -111,13 +122,17 @@
"dont_show_again": "不再顯示",
"double_click_action": "雙擊操作",
"download": "下載",
"downloading_update": "下載更新",
"duplicate": "複製",
"duplicate_object": "複製物件",
"duplicate_success": "項目已複製",
"edit": "編輯",
"edit_library": "編輯圖書館",
"edit_location": "編輯位置",
"empty_file": "空的文件",
"enable_networking": "啟用網絡",
"enable_networking_description": "允許您的節點與您周圍的其他 Spacedrive 節點進行通訊。",
"enable_networking_description_required": "庫同步或 Spacedrop 所需!",
"encrypt": "加密",
"encrypt_library": "加密圖書館",
"encrypt_library_coming_soon": "圖書館加密即將推出",
@ -144,6 +159,7 @@
"failed_to_copy_file": "複製檔案失敗",
"failed_to_copy_file_path": "複製文件路徑失敗",
"failed_to_cut_file": "剪下檔案失敗",
"failed_to_download_update": "無法下載更新",
"failed_to_duplicate_file": "複製文件失敗",
"failed_to_generate_checksum": "生成校驗和失敗",
"failed_to_generate_labels": "生成標籤失敗",
@ -153,6 +169,7 @@
"failed_to_reindex_location": "重新索引位置失敗",
"failed_to_remove_file_from_recents": "從最近文件中移除文件失敗",
"failed_to_remove_job": "移除工作失敗。",
"failed_to_rescan_location": "重新掃描位置失敗",
"failed_to_resume_job": "恢復工作失敗。",
"failed_to_update_location_settings": "更新位置設置失敗",
"favorite": "最愛",
@ -177,6 +194,12 @@
"generatePreviewMedia_label": "為這個位置生成預覽媒體",
"generate_checksums": "生成校驗和",
"go_back": "返回",
"go_to_labels": "轉到標籤",
"go_to_location": "前往地點",
"go_to_overview": "前往概覽",
"go_to_recents": "前往最近的內容",
"go_to_settings": "前往設定",
"go_to_tag": "轉到標籤",
"got_it": "知道了",
"grid_gap": "間隙",
"grid_view": "網格視圖",
@ -188,6 +211,7 @@
"hide_in_sidebar_description": "防止此標籤在應用的側欄中顯示。",
"hide_location_from_view": "從視圖中隱藏位置和內容",
"home": "主頁",
"icon_size": "圖示大小",
"image_labeler_ai_model": "圖像標籤識別AI模型",
"image_labeler_ai_model_description": "用於識別圖像中對象的模型。模型越大,準確性越高,但速度越慢。",
"import": "導入",
@ -199,8 +223,6 @@
"install_update": "安裝更新",
"installed": "已安裝",
"item_size": "項目大小",
"icon_size": "圖示大小",
"text_size": "文字大小",
"item_with_count_one": "{{count}} 项目",
"item_with_count_other": "{{count}} 项目",
"job_has_been_canceled": "工作已取消。",
@ -238,6 +260,7 @@
"location_connected_tooltip": "正在監視位置是否有變化",
"location_disconnected_tooltip": "正在監視位置是否有變化",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
"location_empty_notice_message": "這裡未找到文件",
"location_is_already_linked": "位置已經被連接",
"location_path_info": "這是位置的路徑,這是在磁碟上存儲文件的位置。",
"location_type": "位置類型",
@ -247,9 +270,11 @@
"locations": "位置",
"locations_description": "管理您的存儲位置。",
"lock": "鎖定",
"log_in": "登入",
"log_in_with_browser": "使用瀏覽器登入",
"log_out": "登出",
"logged_in_as": "已登入為{{email}}",
"logging_in": "在登入...",
"logout": "登出",
"manage_library": "管理圖書館",
"managed": "已管理",
@ -282,18 +307,22 @@
"networking": "網絡",
"networking_port": "網絡端口",
"networking_port_description": "Spacedrive的點對點網絡通信使用的端口。除非您有嚴格的防火牆否則應該禁用此功能。不要暴露於互聯網",
"new": "新的",
"new_folder": "新文件夾",
"new_library": "新圖書館",
"new_location": "新位置",
"new_location_web_description": "由於您正在使用Spacedrive的瀏覽器版本您將目前需要指定一個位於遠端節點本地的目錄的絕對URL。",
"new_tab": "新標籤",
"new_tag": "新標籤",
"no_files_found_here": "這裡未找到文件",
"new_update_available": "新版本可用!",
"no_favorite_items": "沒有最喜歡的物品",
"no_items_found": "未找到任何項目",
"no_jobs": "沒有工作。",
"no_labels": "無標籤",
"no_nodes_found": "找不到 Spacedrive 節點.",
"no_tag_selected": "沒有選擇標籤",
"no_tags": "沒有標籤",
"node_name": "節點名稱",
"no_nodes_found": "找不到 Spacedrive 節點.",
"nodes": "節點",
"nodes_description": "管理連接到此圖書館的節點。一個節點是在設備或服務器上運行的Spacedrive後端實例。每個節點帶有數據庫副本通過點對點連接實時同步。",
"none": "無",
@ -305,6 +334,7 @@
"online": "在線",
"open": "打開",
"open_file": "打開文件",
"open_in_new_tab": "在新分頁中開啟",
"open_new_location_once_added": "添加後打開新位置",
"open_new_tab": "開啟新分頁",
"open_object": "開啟物件",
@ -326,12 +356,14 @@
"pause": "暫停",
"peers": "對等",
"people": "人們",
"pin": "別針",
"privacy": "隱私",
"privacy_description": "Spacedrive是為隱私而構建的這就是為什麼我們是開源的並且首先在本地。所以我們將非常清楚地告知我們分享了哪些數據。",
"quick_preview": "快速預覽",
"quick_view": "快速查看",
"recent_jobs": "最近的工作",
"recents": "最近的文件",
"recents_notice_message": "開啟檔案時會建立最近的檔案。",
"regen_labels": "重新生成標籤",
"regen_thumbnails": "重新生成縮略圖",
"regenerate_thumbs": "重新生成縮略圖",
@ -343,6 +375,7 @@
"rename": "重命名",
"rename_object": "重新命名物件",
"replica": "複寫",
"rescan": "重新掃描",
"rescan_directory": "重新掃描目錄",
"rescan_location": "重新掃描位置",
"reset": "重置",
@ -356,7 +389,9 @@
"save": "保存",
"save_changes": "保存變更",
"saved_searches": "已保存的搜索",
"search": "搜尋",
"search_extensions": "搜索擴展",
"search_for_files_and_actions": "搜尋文件和操作...",
"secure_delete": "安全刪除",
"security": "安全",
"security_description": "保護您的客戶端安全。",
@ -376,14 +411,19 @@
"show_path_bar": "顯示路徑條",
"show_slider": "顯示滑塊",
"size": "大小",
"size_b": "乙",
"size_gb": "國標",
"size_kb": "千位元組",
"size_mb": "MB",
"size_tb": "結核病",
"skip_login": "跳過登錄",
"sort_by": "排序依據",
"spacedrive_account": "Spacedrive 帳戶",
"spacedrive_cloud": "Spacedrive 雲端",
"spacedrive_cloud_description": "Spacedrive 始終以本地為先,但我們將來會提供自己的選擇性雲端服務。目前,身份驗證僅用於反饋功能,否則不需要。",
"spacedrop_a_file": "Spacedrop文件",
"spacedrop_description": "與在您的網路上運行 Spacedrive 的裝置立即分享。",
"spacedrop_already_progress": "Spacedrop 已在進行中",
"spacedrop_description": "與在您的網路上運行 Spacedrive 的裝置立即分享。",
"spacedrop_rejected": "Spacedrop 被拒絕",
"square_thumbnails": "方形縮略圖",
"star_on_github": "在GitHub上給星",
@ -402,13 +442,17 @@
"sync_with_library_description": "如果啟用,您的鍵綁定將與圖書館同步,否則它們僅適用於此客戶端。",
"tags": "標籤",
"tags_description": "管理您的標籤。",
"tags_notice_message": "沒有項目分配給該標籤。",
"telemetry_description": "切換到ON為開發者提供詳細的使用情況和遙測數據以增強應用程序。切換到OFF只發送基本數據您的活動狀態應用版本核心版本以及平台例如移動網絡或桌面。",
"telemetry_title": "分享額外的遙測和使用情況數據",
"temperature": "溫度",
"text_file": "文字檔案",
"text_size": "文字大小",
"thank_you_for_your_feedback": "感謝您的回饋!",
"thumbnailer_cpu_usage": "縮略圖處理器使用情況",
"thumbnailer_cpu_usage_description": "限制縮略圖製作工具在後台處理時可以使用多少CPU。",
"toggle_all": "切換全部",
"toggle_command_palette": "切換命令面板",
"toggle_hidden_files": "切換顯示隱藏檔案",
"toggle_image_slider_within_quick_preview": "切換快速預覽中的圖片滑塊",
"toggle_inspector": "切換檢查器",
@ -420,50 +464,19 @@
"ui_animations": "UI動畫",
"ui_animations_description": "對話框和其它UI元素在打開和關閉時會有動畫效果。",
"unnamed_location": "未命名位置",
"update": "更新",
"update_downloaded": "更新已下載。重新啟動 Spacedrive 進行安裝",
"updated_successfully": "成功更新,您目前使用的是版本 {{version}}",
"usage": "使用情況",
"usage_description": "您的圖書館使用情況和硬體資訊。",
"value": "值",
"version": "版本 {{version}}",
"video_preview_not_supported": "不支援視頻預覽。",
"view_changes": "檢視變更",
"want_to_do_this_later": "想要稍後進行這操作嗎?",
"website": "網站",
"your_account": "您的帳戶",
"your_account_description": "Spacedrive帳戶和資訊。",
"your_local_network": "您的本地網路",
"your_privacy": "您的隱私",
"new_update_available": "新版本可用!",
"version": "版本 {{version}}",
"downloading_update": "下載更新",
"update_downloaded": "更新已下載。重新啟動 Spacedrive 進行安裝",
"failed_to_download_update": "無法下載更新",
"updated_successfully": "成功更新,您目前使用的是版本 {{version}}",
"view_changes": "檢視變更",
"update": "更新",
"ask_spacedrive": "詢問 Spacedrive",
"close_command_palette": "關閉命令面板",
"disconnected": "已斷開連接",
"failed_to_rescan_location": "重新掃描位置失敗",
"go_to_labels": "轉到標籤",
"go_to_location": "前往地點",
"go_to_overview": "前往概覽",
"go_to_recents": "前往最近的內容",
"go_to_settings": "前往設定",
"go_to_tag": "轉到標籤",
"no_labels": "無標籤",
"search_for_files_and_actions": "搜尋文件和操作...",
"toggle_command_palette": "切換命令面板",
"pin": "別針",
"rescan": "重新掃描",
"create_file_error": "建立文件時出錯",
"create_file_success": "建立新檔案:{{name}}",
"create_folder_error": "建立資料夾時出錯",
"create_folder_success": "建立了新資料夾:{{name}}",
"empty_file": "空的文件",
"new": "新的",
"size_b": "乙",
"size_gb": "國標",
"size_kb": "千位元組",
"size_mb": "MB",
"size_tb": "結核病",
"text_file": "文字檔案",
"open_in_new_tab": "在新分頁中開啟"
"your_privacy": "您的隱私"
}