More translations (#2051)

* translations

* more translation keys

* all the translations
This commit is contained in:
Utku 2024-02-07 16:47:55 +03:00 committed by GitHub
parent 2899aa3fa5
commit da2841b37a
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
15 changed files with 593 additions and 136 deletions

View file

@ -2,22 +2,26 @@ import clsx from 'clsx';
import { Controller } from 'react-hook-form';
import { auth, useBridgeMutation, useZodForm } from '@sd/client';
import { Button, Form, Popover, TextAreaField, toast, usePopover, z } from '@sd/ui';
import i18n from '~/app/I18n';
import { LoginButton } from '~/components/LoginButton';
import { useLocale } from '~/hooks';
const schema = z.object({
message: z.string().min(1, { message: 'Feedback is required' }),
message: z.string().min(1, { message: i18n.t('feedback_is_required') }),
emoji: z.number().min(0).max(3)
});
const EMOJIS = ['🤩', '😀', '🙁', '😭'];
export default function () {
const { t } = useLocale();
const sendFeedback = useBridgeMutation(['api.sendFeedback'], {
onError() {
toast.error('There was an error submitting your feedback. Please try again.');
toast.error(t('feedback_toast_error_message'));
},
onSuccess() {
toast.success('Thanks for your feedback!');
toast.success(t('thank_you_for_your_feedback'));
}
});
@ -37,7 +41,7 @@ export default function () {
popover={popover}
trigger={
<Button variant="outline" className="flex items-center gap-1">
<p className="text-[11px] font-normal text-sidebar-inkFaint">Feedback</p>
<p className="text-[11px] font-normal text-sidebar-inkFaint">{t('feedback')}</p>
</Button>
}
>
@ -55,14 +59,14 @@ export default function () {
<div className="flex flex-row items-center gap-2">
<p className="flex-1 text-xs text-ink-dull">
{authState.status !== 'loggingIn' &&
'Logging in allows us to respond to your feedback'}
t('feedback_login_description')}
</p>
<LoginButton cancelPosition="left" />
</div>
)}
<TextAreaField
{...form.register('message')}
placeholder="Your feedback..."
placeholder={t('feedback_placeholder')}
className="!h-36 w-full flex-1"
/>
<div className="flex flex-row justify-between">
@ -89,7 +93,7 @@ export default function () {
/>
<Button type="submit" variant="accent" disabled={!form.formState.isValid}>
Send
{t('send')}
</Button>
</div>
</div>

View file

@ -1,6 +1,7 @@
import { auth, useBridgeQuery } from '@sd/client';
import { Button, Card } from '@sd/ui';
import { AuthRequiredOverlay } from '~/components/AuthRequiredOverlay';
import { useLocale } from '~/hooks';
export function SpacedriveAccount() {
return (
@ -13,17 +14,18 @@ export function SpacedriveAccount() {
function Account() {
const me = useBridgeQuery(['auth.me'], { retry: false });
const { t } = useLocale();
return (
<div className="my-2 flex w-full flex-col">
<div className="flex items-center justify-between">
<span className="font-semibold">Spacedrive Account</span>
<span className="font-semibold">{t("spacedrive_account")}</span>
<Button variant="gray" onClick={auth.logout}>
Logout
{t('logout')}
</Button>
</div>
<hr className="mb-4 mt-2 w-full border-app-line" />
<span>Logged in as {me.data?.email}</span>
<span>{t('logged_in_as', { email: me.data?.email })}</span>
</div>
);
}

View file

@ -1,9 +1,8 @@
import { Envelope, User } from '@phosphor-icons/react';
import { iconNames } from '@sd/assets/util';
import { useEffect, useState } from 'react';
import { auth, useBridgeMutation, useBridgeQuery, useFeatureFlag } from '@sd/client';
import { Button, Card, Input, toast } from '@sd/ui';
import { Icon, TruncatedText } from '~/components';
import { TruncatedText } from '~/components';
import { AuthRequiredOverlay } from '~/components/AuthRequiredOverlay';
import { useLocale } from '~/hooks';
@ -21,14 +20,14 @@ export const Component = () => {
{authStore.status === 'loggedIn' && (
<div className="flex-row space-x-2">
<Button variant="accent" size="sm" onClick={auth.logout}>
Logout
{t('logout')}
</Button>
</div>
)}
</>
}
title="Spacedrive Cloud"
description="Spacedrive is always local first, but we will offer our own optional cloud services in the future. For now, authentication is only used for the Feedback feature, otherwise it is not required."
title={t('spacedrive_cloud')}
description={t('spacedrive_cloud_description')}
/>
<div className="flex flex-col justify-between gap-5 lg:flex-row">
<Profile authStore={authStore} email={me.data?.email} />

View file

@ -7,6 +7,7 @@ import {
import clsx from 'clsx';
import { useState } from 'react';
import { Divider, ModifierKeys, Switch } from '@sd/ui';
import i18n from '~/app/I18n';
import { Shortcut, shortcutCategories, useLocale, useOperatingSystem } from '~/hooks';
import { keybindForOs } from '~/util/keybinds';
import { OperatingSystem } from '~/util/Platform';
@ -102,11 +103,11 @@ function createKeybindColumns(os: OperatingSystem) {
}>();
const columns = [
columnHelper.accessor('action', {
header: 'Description',
header: i18n.t('description'),
cell: (info) => <p className="w-full text-sm text-ink-faint">{info.getValue()}</p>
}),
columnHelper.accessor('icons', {
header: () => <p className="text-right">Key</p>,
header: () => <p className="text-right">{i18n.t('key')}</p>,
size: 200,
cell: (info) => {
const checkData = info.getValue()[os] || info.getValue()['all'];

View file

@ -4,7 +4,7 @@ import { motion } from 'framer-motion';
import { ComponentProps, useRef, useState } from 'react';
import { useLibraryContext } from '@sd/client';
import { Button, dialogManager, type ButtonProps } from '@sd/ui';
import { useCallbackToWatchResize } from '~/hooks';
import { useCallbackToWatchResize, useLocale } from '~/hooks';
import { usePlatform } from '~/util/Platform';
import { AddLocationDialog } from './AddLocationDialog';
@ -26,6 +26,8 @@ export const AddLocationButton = ({
const platform = usePlatform();
const libraryId = useLibraryContext().library.uuid;
const { t } = useLocale();
const transition = {
type: 'keyframes',
ease: 'easeInOut',
@ -90,7 +92,7 @@ export const AddLocationButton = ({
</div>
</div>
) : (
'Add Location'
t('add_location')
)}
</Button>
</>

View file

@ -8,11 +8,13 @@ import { toast } from '@sd/ui';
import { useExplorerContext } from '~/app/$libraryId/Explorer/Context';
import { explorerStore } from '~/app/$libraryId/Explorer/store';
import { useExplorerSearchParams } from '~/app/$libraryId/Explorer/util';
import { isNonEmpty } from '~/util';
import { useLocale } from './useLocale';
import { useShortcut } from './useShortcut';
export const useKeyCopyCutPaste = () => {
const { t } = useLocale();
const cutCopyState = useSelector(explorerStore, (s) => s.cutCopyState);
const [{ path }] = useExplorerSearchParams();
@ -76,7 +78,7 @@ export const useKeyCopyCutPaste = () => {
});
} catch (error) {
toast.error({
title: 'Failed to duplicate file',
title: t('failed_to_duplicate_file'),
body: `Error: ${error}.`
});
}
@ -116,7 +118,7 @@ export const useKeyCopyCutPaste = () => {
indexedArgs.sourceLocationId === parent.location.id &&
sourceParentPath === path
) {
toast.error('File already exists in this location');
toast.error(t('file_already_exist_in_this_location'));
}
await cutFiles.mutateAsync({
source_location_id: indexedArgs.sourceLocationId,
@ -136,10 +138,17 @@ export const useKeyCopyCutPaste = () => {
}
}
} catch (error) {
toast.error({
title: `Failed to ${type.toLowerCase()} file`,
body: `Error: ${error}.`
});
if (type === 'Copy') {
toast.error({
title: t('failed_to_copy_file'),
body: `Error: ${error}.`
});
} else if (type === 'Cut') {
toast.error({
title: t('failed_to_cut_file'),
body: `Error: ${error}.`
});
}
}
}
});

View file

@ -3,6 +3,7 @@ import { useKeys } from 'rooks';
import { useSnapshot } from 'valtio';
import { valtioPersist } from '@sd/client';
import { modifierSymbols } from '@sd/ui';
import i18n from '~/app/I18n';
import { useRoutingContext } from '~/RoutingContext';
import { OperatingSystem } from '~/util/Platform';
@ -18,13 +19,12 @@ export type ShortcutCategory = {
description: string;
shortcuts: Record<string, Shortcut>;
};
export const shortcutCategories = {
General: {
description: 'General usage shortcuts',
[i18n.t('general')]: {
description: i18n.t('general_shortcut_description'),
shortcuts: {
newTab: {
action: 'Open new tab',
action: i18n.t('open_new_tab'),
keys: {
macOS: ['Meta', 'KeyT'],
all: ['Control', 'KeyT']
@ -35,7 +35,7 @@ export const shortcutCategories = {
}
},
closeTab: {
action: 'Close current tab',
action: i18n.t('close_current_tab'),
keys: {
macOS: ['Meta', 'KeyW'],
all: ['Control', 'KeyW']
@ -46,7 +46,7 @@ export const shortcutCategories = {
}
},
nextTab: {
action: 'Switch to next tab',
action: i18n.t('switch_to_next_tab'),
keys: {
macOS: ['Meta', 'Alt', 'ArrowRight'],
all: ['Control', 'Alt', 'ArrowRight']
@ -61,7 +61,7 @@ export const shortcutCategories = {
}
},
previousTab: {
action: 'Switch to previous tab',
action: i18n.t('switch_to_previous_tab'),
keys: {
macOS: ['Meta', 'Alt', 'ArrowLeft'],
all: ['Control', 'Alt', 'ArrowLeft']
@ -77,11 +77,11 @@ export const shortcutCategories = {
}
}
},
Dialogs: {
description: 'To perform actions and operations',
[i18n.t('dialog')]: {
description: i18n.t('dialog_shortcut_description'),
shortcuts: {
toggleJobManager: {
action: 'Toggle job manager',
action: i18n.t('toggle_job_manager'),
keys: {
macOS: ['Meta', 'KeyJ'],
all: ['Control', 'KeyJ']
@ -93,11 +93,11 @@ export const shortcutCategories = {
}
}
},
Pages: {
description: 'Different pages in the app',
[i18n.t('page')]: {
description: i18n.t('page_shortcut_description'),
shortcuts: {
navBackwardHistory: {
action: 'Navigate backwards',
action: i18n.t('navigate_backwards'),
keys: {
macOS: ['Meta', '['],
all: ['Control', '[']
@ -108,7 +108,7 @@ export const shortcutCategories = {
}
},
navForwardHistory: {
action: 'Navigate forwards',
action: i18n.t('navigate_forwards'),
keys: {
macOS: ['Meta', ']'],
all: ['Control', ']']
@ -119,7 +119,7 @@ export const shortcutCategories = {
}
},
navToSettings: {
action: 'Navigate to Settings page',
action: i18n.t('navigate_to_settings_page'),
keys: {
macOS: ['Shift', 'Meta', 'KeyT'],
all: ['Shift', 'Control', 'KeyT']
@ -135,11 +135,11 @@ export const shortcutCategories = {
}
}
},
Explorer: {
description: 'To navigate and interact with the file system',
[i18n.t('explorer')]: {
description: i18n.t('explorer_shortcut_description'),
shortcuts: {
gridView: {
action: 'Switch to grid view',
action: i18n.t('switch_to_grid_view'),
keys: {
macOS: ['Meta', '1'],
all: ['Control', '1']
@ -150,7 +150,7 @@ export const shortcutCategories = {
}
},
listView: {
action: 'Switch to list view',
action: i18n.t('switch_to_list_view'),
keys: {
macOS: ['Meta', '2'],
all: ['Control', '2']
@ -161,7 +161,7 @@ export const shortcutCategories = {
}
},
mediaView: {
action: 'Switch to media view',
action: i18n.t('switch_to_media_view'),
keys: {
macOS: ['Meta', '3'],
all: ['Control', '3']
@ -172,7 +172,7 @@ export const shortcutCategories = {
}
},
showHiddenFiles: {
action: 'Toggle hidden files',
action: i18n.t('toggle_hidden_files'),
keys: {
macOS: ['Meta', 'Shift', '.'],
all: ['Control', 'KeyH']
@ -187,7 +187,7 @@ export const shortcutCategories = {
}
},
showPathBar: {
action: 'Toggle path bar',
action: i18n.t('toggle_path_bar'),
keys: {
macOS: ['Alt', 'Meta', 'KeyP'],
all: ['Alt', 'Control', 'KeyP']
@ -202,7 +202,7 @@ export const shortcutCategories = {
}
},
showImageSlider: {
action: 'Toggle image slider within quick preview',
action: i18n.t('toggle_image_slider_within_quick_preview'),
keys: {
macOS: ['Alt', 'Meta', 'KeyM'],
all: ['Alt', 'Control', 'KeyM']
@ -217,7 +217,7 @@ export const shortcutCategories = {
}
},
showInspector: {
action: 'Toggle inspector',
action: i18n.t('toggle_inspector'),
keys: {
macOS: ['Meta', 'KeyI'],
all: ['Control', 'KeyI']
@ -228,7 +228,7 @@ export const shortcutCategories = {
}
},
toggleQuickPreview: {
action: 'Toggle quick preview',
action: i18n.t('toggle_quick_preview'),
keys: {
all: [' ']
},
@ -237,7 +237,7 @@ export const shortcutCategories = {
}
},
toggleMetaData: {
action: 'Toggle metadata',
action: i18n.t('toggle_metadata'),
keys: {
macOS: ['Meta', 'KeyI'],
all: ['Control', 'KeyI']
@ -248,7 +248,7 @@ export const shortcutCategories = {
}
},
quickPreviewMoveBack: {
action: 'Move back within quick preview',
action: i18n.t('move_back_within_quick_preview'),
keys: {
all: ['ArrowLeft']
},
@ -257,7 +257,7 @@ export const shortcutCategories = {
}
},
quickPreviewMoveForward: {
action: 'Move forward within quick preview',
action: i18n.t('move_forward_within_quick_preview'),
keys: {
all: ['ArrowRight']
},
@ -266,7 +266,7 @@ export const shortcutCategories = {
}
},
revealNative: {
action: 'Reveal in native file manager',
action: i18n.t('reveal_in_native_file_manager'),
keys: {
macOS: ['Meta', 'KeyY'],
all: ['Control', 'KeyY']
@ -277,7 +277,7 @@ export const shortcutCategories = {
}
},
renameObject: {
action: 'Rename object',
action: i18n.t('rename_object'),
keys: {
macOS: ['Enter'],
all: ['F2']
@ -288,7 +288,7 @@ export const shortcutCategories = {
}
},
rescan: {
action: 'Rescan location',
action: i18n.t('rescan_location'),
keys: {
macOS: ['Meta', 'KeyR'],
all: ['Control', 'KeyR']
@ -299,7 +299,7 @@ export const shortcutCategories = {
}
},
cutObject: {
action: 'Cut object',
action: i18n.t('cut_object'),
keys: {
macOS: ['Meta', 'KeyX'],
all: ['Control', 'KeyX']
@ -310,7 +310,7 @@ export const shortcutCategories = {
}
},
copyObject: {
action: 'Copy object',
action: i18n.t('copy_object'),
keys: {
macOS: ['Meta', 'KeyC'],
all: ['Control', 'KeyC']
@ -321,7 +321,7 @@ export const shortcutCategories = {
}
},
pasteObject: {
action: 'Paste object',
action: i18n.t('paste_object'),
keys: {
macOS: ['Meta', 'KeyV'],
all: ['Control', 'KeyV']
@ -332,7 +332,7 @@ export const shortcutCategories = {
}
},
duplicateObject: {
action: 'Duplicate object',
action: i18n.t('duplicate_object'),
keys: {
macOS: ['Meta', 'KeyD'],
all: ['Control', 'KeyD']
@ -343,7 +343,7 @@ export const shortcutCategories = {
}
},
openObject: {
action: 'Open object',
action: i18n.t('open_object'),
keys: {
macOS: ['Meta', 'KeyO'],
all: ['Enter']
@ -354,7 +354,7 @@ export const shortcutCategories = {
}
},
quickPreviewOpenNative: {
action: 'Open object from quick preview in native file manager',
action: i18n.t('open_object_from_quick_preview_in_native_file_manager'),
keys: {
macOS: ['Meta', 'KeyO'],
all: ['Enter']
@ -365,7 +365,7 @@ export const shortcutCategories = {
}
},
delItem: {
action: 'Delete object',
action: i18n.t('delete_object'),
keys: {
macOS: ['Meta', 'Backspace'],
all: ['Delete']
@ -376,7 +376,7 @@ export const shortcutCategories = {
}
},
explorerEscape: {
action: 'Cancel selection',
action: i18n.t('cancel_selection'),
keys: {
all: ['Escape']
},
@ -385,7 +385,7 @@ export const shortcutCategories = {
}
},
explorerDown: {
action: 'Navigate files downwards',
action: i18n.t('navigate_files_downwards'),
keys: {
all: ['ArrowDown']
},
@ -394,7 +394,7 @@ export const shortcutCategories = {
}
},
explorerUp: {
action: 'Navigate files upwards',
action: i18n.t('navigate_files_upwards'),
keys: {
all: ['ArrowUp']
},
@ -403,7 +403,7 @@ export const shortcutCategories = {
}
},
explorerLeft: {
action: 'Navigate files leftwards',
action: i18n.t('navigate_files_leftwards'),
keys: {
all: ['ArrowLeft']
},
@ -412,7 +412,7 @@ export const shortcutCategories = {
}
},
explorerRight: {
action: 'Navigate files rightwards',
action: i18n.t('navigate_files_rightwards'),
keys: {
all: ['ArrowRight']
},

View file

@ -9,6 +9,7 @@
"add": "Hinzufügen",
"add_device": "Gerät hinzufügen",
"add_library": "Bibliothek hinzufügen",
"add_location": "Standort hinzufügen",
"add_location_description": "Verbessern Sie Ihr Spacedrive-Erlebnis, indem Sie Ihre bevorzugten Standorte zu Ihrer persönlichen Bibliothek hinzufügen, für eine nahtlose und effiziente Dateiverwaltung.",
"add_location_tooltip": "Pfad als indexierten Standort hinzufügen",
"add_locations": "Standorte hinzufügen",
@ -31,6 +32,7 @@
"blur_effects": "Weichzeichnereffekte",
"blur_effects_description": "Einigen Komponenten wird ein Weichzeichnungseffekt angewendet.",
"cancel": "Abbrechen",
"cancel_selection": "Auswahl abbrechen",
"celcius": "Celsius",
"change": "Ändern",
"changelog": "Änderungsprotokoll",
@ -40,6 +42,7 @@
"clear_finished_jobs": "Beendete Aufgaben entfernen",
"client": "Client",
"close": "Schließen",
"close_current_tab": "Aktuellen Tab schließen",
"clouds": "Clouds",
"color": "Farbe",
"coming_soon": "Demnächst",
@ -55,6 +58,7 @@
"copied": "Kopiert",
"copy": "Kopieren",
"copy_as_path": "Als Pfad kopieren",
"copy_object": "Objekt kopieren",
"copy_path_to_clipboard": "Pfad in die Zwischenablage kopieren",
"create": "Erstellen",
"create_library": "Eine Bibliothek erstellen",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Aktuelles Verzeichnis mit Unterverzeichnissen",
"custom": "Benutzerdefiniert",
"cut": "Ausschneiden",
"cut_object": "Objekt ausschneiden",
"data_folder": "Datenordner",
"debug_mode": "Debug-Modus",
"debug_mode_description": "Zusätzliche Debugging-Funktionen in der App aktivieren.",
@ -83,6 +88,7 @@
"delete_library_description": "Dies ist dauerhaft, Ihre Dateien werden nicht gelöscht, nur die Spacedrive-Bibliothek.",
"delete_location": "Standort löschen",
"delete_location_description": "Durch das Löschen eines Standorts werden auch alle damit verbundenen Dateien aus der Spacedrive-Datenbank entfernt, die Dateien selbst werden nicht gelöscht.",
"delete_object": "Objekt löschen",
"delete_rule": "Regel löschen",
"delete_tag": "Tag löschen",
"delete_tag_description": "Sind Sie sicher, dass Sie diesen Tag löschen möchten? Dies kann nicht rückgängig gemacht werden, und getaggte Dateien werden nicht mehr verlinkt.",
@ -92,6 +98,8 @@
"details": "Details",
"devices": "Geräte",
"devices_coming_soon_tooltip": "Demnächst verfügbar! Diese Alpha-Version beinhaltet noch keinen Bibliothekssync, dieser wird aber sehr bald bereit sein.",
"dialog": "Dialog",
"dialog_shortcut_description": "Um Aktionen und Operationen auszuführen",
"direction": "Richtung",
"disabled": "Deaktiviert",
"display_formats": "Anzeigeformate",
@ -102,6 +110,7 @@
"double_click_action": "Doppelklick-Aktion",
"download": "Herunterladen",
"duplicate": "Duplizieren",
"duplicate_object": "Objekt duplizieren",
"edit": "Bearbeiten",
"edit_library": "Bibliothek bearbeiten",
"edit_location": "Standort bearbeiten",
@ -119,6 +128,7 @@
"error_loading_original_file": "Fehler beim Laden der Originaldatei",
"expand": "Erweitern",
"explorer": "Explorer",
"explorer_shortcut_description": "Um das Dateisystem zu navigieren und damit zu interagieren",
"export": "Exportieren",
"export_library": "Bibliothek exportieren",
"export_library_coming_soon": "Bibliotheksexport kommt bald",
@ -128,7 +138,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "Aufgabe konnte nicht abgebrochen werden.",
"failed_to_clear_all_jobs": "Alle Aufgaben konnten nicht gelöscht werden.",
"failed_to_copy_file": "Fehler beim Kopieren der Datei",
"failed_to_copy_file_path": "Dateipfad konnte nicht kopiert werden",
"failed_to_cut_file": "Fehler beim Ausschneiden der Datei",
"failed_to_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",
@ -142,6 +154,13 @@
"failed_to_resume_job": "Aufgabe konnte nicht fortgesetzt werden.",
"failed_to_update_location_settings": "Standorteinstellungen konnten nicht aktualisiert werden",
"favorite": "Favorit",
"favorites": "Favoriten",
"feedback": "Feedback",
"feedback_is_required": "Feedback ist erforderlich",
"feedback_login_description": "Die Anmeldung ermöglicht es uns, auf Ihr Feedback zu antworten",
"feedback_placeholder": "Ihr Feedback...",
"feedback_toast_error_message": "Beim Senden Ihres Feedbacks ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.",
"file_already_exist_in_this_location": "Die Datei existiert bereits an diesem Speicherort",
"file_indexing_rules": "Dateiindizierungsregeln",
"filters": "Filter",
"forward": "Vorwärts",
@ -152,6 +171,7 @@
"general": "Allgemein",
"general_settings": "Allgemeine Einstellungen",
"general_settings_description": "Allgemeine Einstellungen in Bezug auf diesen Client.",
"general_shortcut_description": "Allgemeine Verknüpfungen",
"generatePreviewMedia_label": "Vorschaumedien für diesen Standort generieren",
"generate_checksums": "Prüfsummen erstellen",
"go_back": "Zurück gehen",
@ -187,12 +207,16 @@
"join_discord": "Discord beitreten",
"join_library": "Einer Bibliothek beitreten",
"join_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.",
"key": "Schlüssel",
"key_manager": "Schlüsselverwaltung",
"key_manager_description": "Erstellen Sie Verschlüsselungsschlüssel, mounten und unmounten Sie Ihre Schlüssel, um Dateien entschlüsselt in Echtzeit zu sehen.",
"keybinds": "Tastenkombinationen",
"keybinds_description": "Client-Tastenkombinationen anzeigen und verwalten",
"keys": "Schlüssel",
"kilometers": "Kilometer",
"labels": "Labels",
"language": "Sprache",
"language_description": "Ändern Sie die Sprache der Spacedrive-Benutzeroberfläche",
"learn_more_about_telemetry": "Mehr über Telemetrie erfahren",
"libraries": "Bibliotheken",
"libraries_description": "Die Datenbank enthält alle Bibliotheksdaten und Dateimetadaten.",
@ -207,10 +231,10 @@
"local": "Lokal",
"local_locations": "Lokale Standorte",
"local_node": "Lokaler Knoten",
"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_is_already_linked": "Standort ist bereits verknüpft",
"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_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",
"location_type_managed": "Spacedrive wird Dateien für Sie sortieren. Wenn der Standort nicht leer ist, wird ein \"spacedrive\" Ordner erstellt.",
@ -221,6 +245,8 @@
"lock": "Sperren",
"log_in_with_browser": "Mit Browser anmelden",
"log_out": "Abmelden",
"logged_in_as": "Angemeldet als {{email}}",
"logout": "Abmelden",
"manage_library": "Bibliothek verwalten",
"managed": "Verwaltet",
"media": "Medien",
@ -234,10 +260,19 @@
"more": "Mehr",
"more_actions": "Mehr Aktionen...",
"more_info": "Mehr Infos",
"move_back_within_quick_preview": "Innerhalb der Schnellvorschau zurückgehen",
"move_files": "Dateien verschieben",
"move_forward_within_quick_preview": "Innerhalb der Schnellvorschau vorwärts gehen",
"name": "Name",
"navigate_back": "Zurück navigieren",
"navigate_backwards": "Rückwärts navigieren",
"navigate_files_downwards": "Nach unten in den Dateien navigieren",
"navigate_files_leftwards": "Nach links in den Dateien navigieren",
"navigate_files_rightwards": "Nach rechts in den Dateien navigieren",
"navigate_files_upwards": "Nach oben in den Dateien navigieren",
"navigate_forward": "Vorwärts navigieren",
"navigate_forwards": "Vorwärts navigieren",
"navigate_to_settings_page": "Zur Einstellungsseite navigieren",
"network": "Netzwerk",
"network_page_description": "Andere Spacedrive-Knoten in Ihrem LAN werden hier angezeigt, zusammen mit Ihren standardmäßigen Betriebssystem-Netzwerklaufwerken.",
"networking": "Netzwerk",
@ -266,13 +301,19 @@
"open": "Öffnen",
"open_file": "Datei öffnen",
"open_new_location_once_added": "Neuen Standort öffnen, sobald hinzugefügt",
"open_new_tab": "Neuen Tab öffnen",
"open_object": "Objekt öffnen",
"open_object_from_quick_preview_in_native_file_manager": "Objekt aus der Schnellvorschau im nativen Dateimanager öffnen",
"open_settings": "Einstellungen öffnen",
"open_with": "Öffnen mit",
"or": "ODER",
"overview": "Übersicht",
"page": "Seite",
"page_shortcut_description": "Verschiedene Seiten in der App",
"pair": "Verbinden",
"pairing_with_node": "Koppeln mit {{node}}",
"paste": "Einfügen",
"paste_object": "Objekt einfügen",
"path": "Pfad",
"path_copied_to_clipboard_description": "Pfad für den Standort {{location}} wurde in die Zwischenablage kopiert.",
"path_copied_to_clipboard_title": "Pfad in Zwischenablage kopiert",
@ -284,6 +325,7 @@
"quick_preview": "Schnellvorschau",
"quick_view": "Schnellansicht",
"recent_jobs": "Aktuelle Aufgaben",
"recents": "Zuletzt verwendet",
"regen_labels": "Labels erneuern",
"regen_thumbnails": "Vorschaubilder erneuern",
"regenerate_thumbs": "Vorschaubilder neu generieren",
@ -293,6 +335,7 @@
"remove": "Entfernen",
"remove_from_recents": "Aus den aktuellen Dokumenten entfernen",
"rename": "Umbenennen",
"rename_object": "Objekt umbenennen",
"replica": "Replik",
"rescan_directory": "Verzeichnis neu scannen",
"rescan_location": "Standort neu scannen",
@ -301,6 +344,7 @@
"restore": "Wiederherstellen",
"resume": "Fortsetzen",
"retry": "Erneut versuchen",
"reveal_in_native_file_manager": "Im nativen Dateimanager anzeigen",
"revel_in_browser": "Im {{browser}} anzeigen",
"running": "Läuft",
"save": "Speichern",
@ -328,12 +372,20 @@
"size": "Größe",
"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",
"square_thumbnails": "Quadratische Vorschaubilder",
"star_on_github": "Auf GitHub als Favorit markieren",
"stop": "Stoppen",
"success": "Erfolg",
"support": "Unterstützung",
"switch_to_grid_view": "Zur Rasteransicht wechseln",
"switch_to_list_view": "Zur Listenansicht wechseln",
"switch_to_media_view": "Zur Medienansicht wechseln",
"switch_to_next_tab": "Zum nächsten Tab wechseln",
"switch_to_previous_tab": "Zum vorherigen Tab wechseln",
"sync": "Synchronisieren",
"syncPreviewMedia_label": "Vorschaumedien dieses Standorts mit Ihren Geräten synchronisieren",
"sync_description": "Verwaltung der Synchronisierung in Spacedrive.",
@ -344,9 +396,17 @@
"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",
"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_hidden_files": "Versteckte Dateien umschalten",
"toggle_image_slider_within_quick_preview": "Bilderslider innerhalb der Schnellvorschau umschalten",
"toggle_inspector": "Inspektor umschalten",
"toggle_job_manager": "Job-Manager umschalten",
"toggle_metadata": "Metadaten umschalten",
"toggle_path_bar": "Pfadleiste umschalten",
"toggle_quick_preview": "Schnellvorschau umschalten",
"type": "Typ",
"ui_animations": "UI-Animationen",
"ui_animations_description": "Dialoge und andere UI-Elemente werden animiert, wenn sie geöffnet und geschlossen werden.",
@ -360,10 +420,5 @@
"your_account": "Ihr Konto",
"your_account_description": "Spacedrive-Konto und -Informationen.",
"your_local_network": "Ihr lokales Netzwerk",
"your_privacy": "Ihre Privatsphäre",
"recents": "Zuletzt verwendet",
"favorites": "Favoriten",
"labels": "Labels",
"language": "Sprache",
"language_description": "Ändern Sie die Sprache der Spacedrive-Benutzeroberfläche"
"your_privacy": "Ihre Privatsphäre"
}

View file

@ -9,6 +9,7 @@
"add": "Add",
"add_device": "Add Device",
"add_library": "Add Library",
"add_location": "Add Location",
"add_location_description": "Enhance your Spacedrive experience by adding your favorite locations to your personal library, for seamless and efficient file management.",
"add_location_tooltip": "Add path as an indexed location",
"add_locations": "Add Locations",
@ -31,6 +32,7 @@
"blur_effects": "Blur Effects",
"blur_effects_description": "Some components will have a blur effect applied to them.",
"cancel": "Cancel",
"cancel_selection": "Cancel selection",
"celcius": "Celsius",
"change": "Change",
"changelog": "Changelog",
@ -40,6 +42,7 @@
"clear_finished_jobs": "Clear out finished jobs",
"client": "Client",
"close": "Close",
"close_current_tab": "Close current tab",
"clouds": "Clouds",
"color": "Color",
"coming_soon": "Coming soon",
@ -55,6 +58,7 @@
"copied": "Copied",
"copy": "Copy",
"copy_as_path": "Copy as path",
"copy_object": "Copy object",
"copy_path_to_clipboard": "Copy path to clipboard",
"create": "Create",
"create_library": "Create a Library",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Current Directory With Descendants",
"custom": "Custom",
"cut": "Cut",
"cut_object": "Cut object",
"data_folder": "Data Folder",
"debug_mode": "Debug mode",
"debug_mode_description": "Enable extra debugging features within the app.",
@ -83,6 +88,7 @@
"delete_library_description": "This is permanent, your files will not be deleted, only the Spacedrive library.",
"delete_location": "Delete Location",
"delete_location_description": "Deleting a location will also remove all files associated with it from the Spacedrive database, the files themselves will not be deleted.",
"delete_object": "Delete object",
"delete_rule": "Delete rule",
"delete_tag": "Delete Tag",
"delete_tag_description": "Are you sure you want to delete this tag? This cannot be undone and tagged files will be unlinked.",
@ -91,10 +97,12 @@
"deselect": "Deselect",
"details": "Details",
"devices": "Devices",
"disconnected": "Disconnected",
"devices_coming_soon_tooltip": "Coming soon! This alpha release doesn't include library sync, it will be ready very soon.",
"dialog": "Dialog",
"dialog_shortcut_description": "To perform actions and operations",
"direction": "Direction",
"disabled": "Disabled",
"disconnected": "Disconnected",
"display_formats": "Display Formats",
"display_name": "Display Name",
"distance": "Distance",
@ -103,6 +111,7 @@
"double_click_action": "Double click action",
"download": "Download",
"duplicate": "Duplicate",
"duplicate_object": "Duplicate object",
"edit": "Edit",
"edit_library": "Edit Library",
"edit_location": "Edit Location",
@ -120,6 +129,7 @@
"error_loading_original_file": "Error loading original file",
"expand": "Expand",
"explorer": "Explorer",
"explorer_shortcut_description": "To navigate and interact with the file system",
"export": "Export",
"export_library": "Export Library",
"export_library_coming_soon": "Export Library coming soon",
@ -129,7 +139,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "Failed to cancel job.",
"failed_to_clear_all_jobs": "Failed to clear all jobs.",
"failed_to_copy_file": "Failed to copy file",
"failed_to_copy_file_path": "Failed to copy file path",
"failed_to_cut_file": "Failed to cut file",
"failed_to_duplicate_file": "Failed to duplicate file",
"failed_to_generate_checksum": "Failed to generate checksum",
"failed_to_generate_labels": "Failed to generate labels",
@ -143,6 +155,13 @@
"failed_to_resume_job": "Failed to resume job.",
"failed_to_update_location_settings": "Failed to update location settings",
"favorite": "Favorite",
"favorites": "Favorites",
"feedback": "Feedback",
"feedback_is_required": "Feedback is required",
"feedback_login_description": "Logging in allows us to respond to your feedback",
"feedback_placeholder": "Your feedback...",
"feedback_toast_error_message": "There was an error submitting your feedback. Please try again.",
"file_already_exist_in_this_location": "File already exists in this location",
"file_indexing_rules": "File indexing rules",
"filters": "Filters",
"forward": "Forward",
@ -153,6 +172,7 @@
"general": "General",
"general_settings": "General Settings",
"general_settings_description": "General settings related to this client.",
"general_shortcut_description": "General usage shortcuts",
"generatePreviewMedia_label": "Generate preview media for this Location",
"generate_checksums": "Generate Checksums",
"go_back": "Go Back",
@ -188,12 +208,16 @@
"join_discord": "Join Discord",
"join_library": "Join a Library",
"join_library_description": "Libraries are a secure, on-device database. Your files remain where they are, the Library catalogs them and stores all Spacedrive related data.",
"key": "Key",
"key_manager": "Key Manager",
"key_manager_description": "Create encryption keys, mount and unmount your keys to see files decrypted on the fly.",
"keybinds": "Keybinds",
"keybinds_description": "View and manage client keybinds",
"keys": "Keys",
"kilometers": "Kilometers",
"labels": "Labels",
"language": "Language",
"language_description": "Change the language of the Spacedrive interface",
"learn_more_about_telemetry": "Learn more about telemetry",
"libraries": "Libraries",
"libraries_description": "The database contains all library data and file metadata.",
@ -208,10 +232,10 @@
"local": "Local",
"local_locations": "Local Locations",
"local_node": "Local Node",
"location_display_name_info": "The name of this Location, this is what will be displayed in the sidebar. Will not rename the actual folder on disk.",
"location_is_already_linked": "Location is already linked",
"location_connected_tooltip": "Location is being watched for changes",
"location_disconnected_tooltip": "Location is not being watched for changes",
"location_display_name_info": "The name of this Location, this is what will be displayed in the sidebar. Will not rename the actual folder on disk.",
"location_is_already_linked": "Location is already linked",
"location_path_info": "The path to this Location, this is where the files will be stored on disk.",
"location_type": "Location Type",
"location_type_managed": "Spacedrive will sort files for you. If Location isn't empty a \"spacedrive\" folder will be created.",
@ -222,6 +246,8 @@
"lock": "Lock",
"log_in_with_browser": "Log in with browser",
"log_out": "Log out",
"logged_in_as": "Logged in as {{email}}",
"logout": "Logout",
"manage_library": "Manage Library",
"managed": "Managed",
"media": "Media",
@ -235,10 +261,19 @@
"more": "More",
"more_actions": "More actions...",
"more_info": "More info",
"move_back_within_quick_preview": "Move back within quick preview",
"move_files": "Move Files",
"move_forward_within_quick_preview": "Move forward within quick preview",
"name": "Name",
"navigate_back": "Navigate back",
"navigate_backwards": "Navigate backwards",
"navigate_files_downwards": "Navigate files downwards",
"navigate_files_leftwards": "Navigate files leftwards",
"navigate_files_rightwards": "Navigate files rightwards",
"navigate_files_upwards": "Navigate files upwards",
"navigate_forward": "Navigate forward",
"navigate_forwards": "Navigate forwards",
"navigate_to_settings_page": "Navigate to Settings page",
"network": "Network",
"network_page_description": "Other Spacedrive nodes on your LAN will appear here, along with your default OS network mounts.",
"networking": "Networking",
@ -267,13 +302,19 @@
"open": "Open",
"open_file": "Open File",
"open_new_location_once_added": "Open new location once added",
"open_new_tab": "Open new tab",
"open_object": "Open object",
"open_object_from_quick_preview_in_native_file_manager": "Open object from quick preview in native file manager",
"open_settings": "Open Settings",
"open_with": "Open with",
"or": "OR",
"overview": "Overview",
"page": "Page",
"page_shortcut_description": "Different pages in the app",
"pair": "Pair",
"pairing_with_node": "Pairing with {{node}}",
"paste": "Paste",
"paste_object": "Paste object",
"path": "Path",
"path_copied_to_clipboard_description": "Path for location {{location}} copied to clipboard.",
"path_copied_to_clipboard_title": "Path copied to clipboard",
@ -285,6 +326,7 @@
"quick_preview": "Quick Preview",
"quick_view": "Quick view",
"recent_jobs": "Recent Jobs",
"recents": "Recents",
"regen_labels": "Regen Labels",
"regen_thumbnails": "Regen Thumbnails",
"regenerate_thumbs": "Regenerate Thumbs",
@ -294,6 +336,7 @@
"remove": "Remove",
"remove_from_recents": "Remove From Recents",
"rename": "Rename",
"rename_object": "Rename object",
"replica": "Replica",
"rescan_directory": "Rescan Directory",
"rescan_location": "Rescan Location",
@ -302,6 +345,7 @@
"restore": "Restore",
"resume": "Resume",
"retry": "Retry",
"reveal_in_native_file_manager": "Reveal in native file manager",
"revel_in_browser": "Reveal in {{browser}}",
"running": "Running",
"save": "Save",
@ -329,12 +373,20 @@
"size": "Size",
"skip_login": "Skip login",
"sort_by": "Sort by",
"spacedrive_account": "Spacedrive Account",
"spacedrive_cloud": "Spacedrive Cloud",
"spacedrive_cloud_description": "Spacedrive is always local first, but we will offer our own optional cloud services in the future. For now, authentication is only used for the Feedback feature, otherwise it is not required.",
"spacedrop_a_file": "Spacedrop a File",
"square_thumbnails": "Square Thumbnails",
"star_on_github": "Star on GitHub",
"stop": "Stop",
"success": "Success",
"support": "Support",
"switch_to_grid_view": "Switch to grid view",
"switch_to_list_view": "Switch to list view",
"switch_to_media_view": "Switch to media view",
"switch_to_next_tab": "Switch to next tab",
"switch_to_previous_tab": "Switch to previous tab",
"sync": "Sync",
"syncPreviewMedia_label": "Sync preview media for this Location with your devices",
"sync_description": "Manage how Spacedrive syncs.",
@ -345,9 +397,17 @@
"telemetry_description": "Toggle ON to provide developers with detailed usage and telemetry data to enhance the app. Toggle OFF to send only basic data: your activity status, app version, core version, and platform (e.g., mobile, web, or desktop).",
"telemetry_title": "Share Additional Telemetry and Usage Data",
"temperature": "Temperature",
"thank_you_for_your_feedback": "Thanks for your feedback!",
"thumbnailer_cpu_usage": "Thumbnailer CPU usage",
"thumbnailer_cpu_usage_description": "Limit how much CPU the thumbnailer can use for background processing.",
"toggle_all": "Toggle All",
"toggle_hidden_files": "Toggle hidden files",
"toggle_image_slider_within_quick_preview": "Toggle image slider within quick preview",
"toggle_inspector": "Toggle inspector",
"toggle_job_manager": "Toggle job manager",
"toggle_metadata": "Toggle metadata",
"toggle_path_bar": "Toggle path bar",
"toggle_quick_preview": "Toggle quick preview",
"type": "Type",
"ui_animations": "UI Animations",
"ui_animations_description": "Dialogs and other UI elements will animate when opening and closing.",
@ -361,10 +421,5 @@
"your_account": "Your account",
"your_account_description": "Spacedrive account and information.",
"your_local_network": "Your Local Network",
"your_privacy": "Your Privacy",
"recents": "Recents",
"favorites": "Favorites",
"labels": "Labels",
"language": "Language",
"language_description": "Change the language of the Spacedrive interface"
"your_privacy": "Your Privacy"
}

View file

@ -9,6 +9,7 @@
"add": "Agregar",
"add_device": "Agregar Dispositivo",
"add_library": "Agregar Biblioteca",
"add_location": "Agregar ubicación",
"add_location_description": "Mejora tu experiencia en Spacedrive agregando tus ubicaciones favoritas a tu biblioteca personal, para una gestión de archivos eficiente y sin interrupciones.",
"add_location_tooltip": "Agregar ruta como una ubicación indexada",
"add_locations": "Agregar Ubicaciones",
@ -31,6 +32,7 @@
"blur_effects": "Efectos de desenfoque",
"blur_effects_description": "Algunos componentes tendrán un efecto de desenfoque aplicado.",
"cancel": "Cancelar",
"cancel_selection": "Cancelar selección",
"celcius": "Celsius",
"change": "Cambiar",
"changelog": "Registro de cambios",
@ -40,6 +42,7 @@
"clear_finished_jobs": "Eliminar trabajos finalizados",
"client": "Cliente",
"close": "Cerrar",
"close_current_tab": "Cerrar pestaña actual",
"clouds": "Nubes",
"color": "Color",
"coming_soon": "Próximamente",
@ -55,6 +58,7 @@
"copied": "Copiado",
"copy": "Copiar",
"copy_as_path": "Copiar como ruta",
"copy_object": "Copiar objeto",
"copy_path_to_clipboard": "Copiar ruta al portapapeles",
"create": "Crear",
"create_library": "Crear una Biblioteca",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Directorio Actual Con Descendientes",
"custom": "Personalizado",
"cut": "Cortar",
"cut_object": "Cortar objeto",
"data_folder": "Carpeta de datos",
"debug_mode": "Modo de depuración",
"debug_mode_description": "Habilitar funciones de depuración adicionales dentro de la aplicación.",
@ -83,6 +88,7 @@
"delete_library_description": "Esto es permanente, tus archivos no serán eliminados, solo la biblioteca de Spacedrive.",
"delete_location": "Eliminar Ubicación",
"delete_location_description": "Eliminar una ubicación también removerá todos los archivos asociados con ella de la base de datos de Spacedrive, los archivos mismos no serán eliminados.",
"delete_object": "Eliminar objeto",
"delete_rule": "Eliminar regla",
"delete_tag": "Eliminar Etiqueta",
"delete_tag_description": "¿Estás seguro de que quieres eliminar esta etiqueta? Esto no se puede deshacer y los archivos etiquetados serán desvinculados.",
@ -92,6 +98,8 @@
"details": "Detalles",
"devices": "Dispositivos",
"devices_coming_soon_tooltip": "¡Próximamente! Esta versión alfa no incluye la sincronización de bibliotecas, estará lista muy pronto.",
"dialog": "Diálogo",
"dialog_shortcut_description": "Para realizar acciones y operaciones",
"direction": "Dirección",
"disabled": "Deshabilitado",
"display_formats": "Formatos de visualización",
@ -102,6 +110,7 @@
"double_click_action": "Acción de doble clic",
"download": "Descargar",
"duplicate": "Duplicar",
"duplicate_object": "Duplicar objeto",
"edit": "Editar",
"edit_library": "Editar Biblioteca",
"edit_location": "Editar Ubicación",
@ -119,6 +128,7 @@
"error_loading_original_file": "Error cargando el archivo original",
"expand": "Expandir",
"explorer": "Explorador",
"explorer_shortcut_description": "Para navegar e interactuar con el sistema de archivos",
"export": "Exportar",
"export_library": "Exportar Biblioteca",
"export_library_coming_soon": "Exportación de biblioteca próximamente",
@ -128,7 +138,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "Error al cancelar el trabajo.",
"failed_to_clear_all_jobs": "Error al eliminar todos los trabajos.",
"failed_to_copy_file": "Error al copiar el archivo",
"failed_to_copy_file_path": "Error al copiar la ruta del archivo",
"failed_to_cut_file": "Error al cortar el archivo",
"failed_to_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",
@ -142,6 +154,13 @@
"failed_to_resume_job": "Error al reanudar el trabajo.",
"failed_to_update_location_settings": "Error al actualizar configuraciones de ubicación",
"favorite": "Favorito",
"favorites": "Favoritos",
"feedback": "Retroalimentación",
"feedback_is_required": "La retroalimentación es obligatoria",
"feedback_login_description": "Iniciar sesión nos permite responder a tu retroalimentación",
"feedback_placeholder": "Tu retroalimentación...",
"feedback_toast_error_message": "Hubo un error al enviar tu retroalimentación. Por favor, inténtalo de nuevo.",
"file_already_exist_in_this_location": "El archivo ya existe en esta ubicación",
"file_indexing_rules": "Reglas de indexación de archivos",
"filters": "Filtros",
"forward": "Adelante",
@ -152,6 +171,7 @@
"general": "General",
"general_settings": "Configuraciones Generales",
"general_settings_description": "Configuraciones generales relacionadas con este cliente.",
"general_shortcut_description": "Atajos de uso general",
"generatePreviewMedia_label": "Generar medios de vista previa para esta Ubicación",
"generate_checksums": "Generar Sumas de Verificación",
"go_back": "Regresar",
@ -187,12 +207,16 @@
"join_discord": "Unirse a Discord",
"join_library": "Unirse a una Biblioteca",
"join_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.",
"key": "Clave",
"key_manager": "Administrador de Claves",
"key_manager_description": "Crea claves de encriptación, monta y desmonta tus claves para ver archivos desencriptados al vuelo.",
"keybinds": "Atajos de Teclado",
"keybinds_description": "Ver y administrar atajos de teclado del cliente",
"keys": "Claves",
"kilometers": "Kilómetros",
"labels": "Etiquetas",
"language": "Idioma",
"language_description": "Cambiar el idioma de la interfaz de Spacedrive",
"learn_more_about_telemetry": "Aprende más sobre la telemetría",
"libraries": "Bibliotecas",
"libraries_description": "La base de datos contiene todos los datos de la biblioteca y metadatos de archivos.",
@ -207,10 +231,10 @@
"local": "Local",
"local_locations": "Ubicaciones Locales",
"local_node": "Nodo Local",
"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_is_already_linked": "Ubicación ya está vinculada",
"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_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",
"location_type_managed": "Spacedrive ordenará los archivos por ti. Si la Ubicación no está vacía se creará una carpeta \"spacedrive\".",
@ -221,6 +245,8 @@
"lock": "Bloquear",
"log_in_with_browser": "Iniciar sesión con el navegador",
"log_out": "Cerrar sesión",
"logged_in_as": "Conectado como {{email}}",
"logout": "Cerrar sesión",
"manage_library": "Administrar Biblioteca",
"managed": "Gestionado",
"media": "Medios",
@ -234,10 +260,19 @@
"more": "Más",
"more_actions": "Más acciones...",
"more_info": "Más información",
"move_back_within_quick_preview": "Retroceder dentro de la vista rápida",
"move_files": "Mover Archivos",
"move_forward_within_quick_preview": "Avanzar dentro de la vista rápida",
"name": "Nombre",
"navigate_back": "Navegar hacia atrás",
"navigate_backwards": "Navegar hacia atrás",
"navigate_files_downwards": "Navegar archivos hacia abajo",
"navigate_files_leftwards": "Navegar archivos hacia la izquierda",
"navigate_files_rightwards": "Navegar archivos hacia la derecha",
"navigate_files_upwards": "Navegar archivos hacia arriba",
"navigate_forward": "Navegar hacia adelante",
"navigate_forwards": "Navegar hacia adelante",
"navigate_to_settings_page": "Navegar a la página de ajustes",
"network": "Red",
"network_page_description": "Otros nodos de Spacedrive en tu LAN aparecerán aquí, junto con tus montajes de red del sistema operativo por defecto.",
"networking": "Redes",
@ -266,13 +301,19 @@
"open": "Abrir",
"open_file": "Abrir Archivo",
"open_new_location_once_added": "Abrir nueva ubicación una vez agregada",
"open_new_tab": "Abrir nueva pestaña",
"open_object": "Abrir objeto",
"open_object_from_quick_preview_in_native_file_manager": "Abrir objeto desde la vista rápida en el administrador de archivos nativo",
"open_settings": "Abrir Configuraciones",
"open_with": "Abrir con",
"or": "O",
"overview": "Resumen",
"page": "Página",
"page_shortcut_description": "Diferentes páginas en la aplicación",
"pair": "Emparejar",
"pairing_with_node": "Emparejando con {{node}}",
"paste": "Pegar",
"paste_object": "Pegar objeto",
"path": "Ruta",
"path_copied_to_clipboard_description": "Ruta para la ubicación {{location}} copiada al portapapeles.",
"path_copied_to_clipboard_title": "Ruta copiada al portapapeles",
@ -284,6 +325,7 @@
"quick_preview": "Vista rápida",
"quick_view": "Vista rápida",
"recent_jobs": "Trabajos recientes",
"recents": "Recientes",
"regen_labels": "Regenerar Etiquetas",
"regen_thumbnails": "Regenerar Miniaturas",
"regenerate_thumbs": "Regenerar Miniaturas",
@ -293,6 +335,7 @@
"remove": "Eliminar",
"remove_from_recents": "Eliminar de Recientes",
"rename": "Renombrar",
"rename_object": "Renombrar objeto",
"replica": "Réplica",
"rescan_directory": "Reescanear Directorio",
"rescan_location": "Reescanear Ubicación",
@ -301,6 +344,7 @@
"restore": "Restaurar",
"resume": "Reanudar",
"retry": "Reintentar",
"reveal_in_native_file_manager": "Revelar en el administrador de archivos nativo",
"revel_in_browser": "Mostrar en {{browser}}",
"running": "Ejecutando",
"save": "Guardar",
@ -328,12 +372,20 @@
"size": "Tamaño",
"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",
"square_thumbnails": "Miniaturas Cuadradas",
"star_on_github": "Dar estrella en GitHub",
"stop": "Detener",
"success": "Éxito",
"support": "Soporte",
"switch_to_grid_view": "Cambiar a vista de cuadrícula",
"switch_to_list_view": "Cambiar a vista de lista",
"switch_to_media_view": "Cambiar a vista de medios",
"switch_to_next_tab": "Cambiar a la siguiente pestaña",
"switch_to_previous_tab": "Cambiar a la pestaña anterior",
"sync": "Sincronizar",
"syncPreviewMedia_label": "Sincronizar medios de vista previa para esta Ubicación con tus dispositivos",
"sync_description": "Administra cómo se sincroniza Spacedrive.",
@ -344,9 +396,17 @@
"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",
"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_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",
"toggle_job_manager": "Alternar el gestor de trabajos",
"toggle_metadata": "Alternar metadatos",
"toggle_path_bar": "Alternar barra de ruta",
"toggle_quick_preview": "Alternar vista rápida",
"type": "Tipo",
"ui_animations": "Animaciones de la UI",
"ui_animations_description": "Los diálogos y otros elementos de la UI se animarán al abrirse y cerrarse.",
@ -360,10 +420,5 @@
"your_account": "Tu cuenta",
"your_account_description": "Cuenta de Spacedrive e información.",
"your_local_network": "Tu Red Local",
"your_privacy": "Tu Privacidad",
"recents": "Recientes",
"favorites": "Favoritos",
"labels": "Etiquetas",
"language": "Idioma",
"language_description": "Cambiar el idioma de la interfaz de Spacedrive"
"your_privacy": "Tu Privacidad"
}

View file

@ -9,6 +9,7 @@
"add": "Ajouter",
"add_device": "Ajouter un appareil",
"add_library": "Ajouter une bibliothèque",
"add_location": "Ajouter un emplacement",
"add_location_description": "Améliorez votre expérience Spacedrive en ajoutant vos emplacements préférés à votre bibliothèque personnelle, pour une gestion des fichiers fluide et efficace.",
"add_location_tooltip": "Ajouter le chemin comme emplacement indexé",
"add_locations": "Ajouter des emplacements",
@ -31,6 +32,7 @@
"blur_effects": "Effets de flou",
"blur_effects_description": "Certains composants se verront appliquer un effet de flou.",
"cancel": "Annuler",
"cancel_selection": "Annuler la sélection",
"celcius": "Celsius",
"change": "Modifier",
"changelog": "Journal des modifications",
@ -40,6 +42,7 @@
"clear_finished_jobs": "Effacer les travaux terminés",
"client": "Client",
"close": "Fermer",
"close_current_tab": "Fermer l'onglet actuel",
"clouds": "Nuages",
"color": "Couleur",
"coming_soon": "Bientôt",
@ -55,6 +58,7 @@
"copied": "Copié",
"copy": "Copier",
"copy_as_path": "Copier en tant que chemin",
"copy_object": "Copier l'objet",
"copy_path_to_clipboard": "Copier le chemin dans le presse-papiers",
"create": "Créer",
"create_library": "Créer une bibliothèque",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Répertoire actuel avec descendants",
"custom": "Personnalisé",
"cut": "Couper",
"cut_object": "Couper l'objet",
"data_folder": "Dossier de données",
"debug_mode": "Mode débogage",
"debug_mode_description": "Activez des fonctionnalités de débogage supplémentaires dans l'application.",
@ -83,6 +88,7 @@
"delete_library_description": "Ceci est permanent, vos fichiers ne seront pas supprimés, seule la bibliothèque Spacedrive le sera.",
"delete_location": "Supprimer l'emplacement",
"delete_location_description": "Supprimer un emplacement supprimera également tous les fichiers associés de la base de données Spacedrive, les fichiers eux-mêmes ne seront pas supprimés.",
"delete_object": "Supprimer l'objet",
"delete_rule": "Supprimer la règle",
"delete_tag": "Supprimer l'étiquette",
"delete_tag_description": "Êtes-vous sûr de vouloir supprimer cette étiquette ? Cela ne peut pas être annulé et les fichiers étiquetés seront dissociés.",
@ -92,6 +98,8 @@
"details": "Détails",
"devices": "Appareils",
"devices_coming_soon_tooltip": "Bientôt disponible ! Cette version alpha n'inclut pas la synchronisation des bibliothèques, cela sera prêt très prochainement.",
"dialog": "Dialogue",
"dialog_shortcut_description": "Pour effectuer des actions et des opérations",
"direction": "Direction",
"disabled": "Désactivé",
"display_formats": "Formats d'affichage",
@ -102,6 +110,7 @@
"double_click_action": "Action double clic",
"download": "Télécharger",
"duplicate": "Dupliquer",
"duplicate_object": "Dupliquer l'objet",
"edit": "Éditer",
"edit_library": "Éditer la bibliothèque",
"edit_location": "Éditer l'emplacement",
@ -119,6 +128,7 @@
"error_loading_original_file": "Erreur lors du chargement du fichier original",
"expand": "Étendre",
"explorer": "Explorateur",
"explorer_shortcut_description": "Pour naviguer et interagir avec le système de fichiers",
"export": "Exporter",
"export_library": "Exporter la bibliothèque",
"export_library_coming_soon": "L'exportation de la bibliothèque arrivera bientôt",
@ -128,7 +138,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "Échec de l'annulation du travail.",
"failed_to_clear_all_jobs": "Échec de l'effacement de tous les travaux.",
"failed_to_copy_file": "Échec de la copie du fichier",
"failed_to_copy_file_path": "Échec de la copie du chemin du fichier",
"failed_to_cut_file": "Échec de la découpe du fichier",
"failed_to_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",
@ -141,6 +153,13 @@
"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",
"favorites": "Favoris",
"feedback": "Retour d'information",
"feedback_is_required": "Le retour d'information est requis",
"feedback_login_description": "La connexion nous permet de répondre à votre retour d'information",
"feedback_placeholder": "Votre retour d'information...",
"feedback_toast_error_message": "Une erreur s'est produite lors de l'envoi de votre retour d'information. Veuillez réessayer.",
"file_already_exist_in_this_location": "Le fichier existe déjà à cet emplacement",
"file_indexing_rules": "Règles d'indexation des fichiers",
"filters": "Filtres",
"forward": "Avancer",
@ -151,6 +170,7 @@
"general": "Général",
"general_settings": "Paramètres généraux",
"general_settings_description": "Paramètres généraux liés à ce client.",
"general_shortcut_description": "Raccourcis d'utilisation générale",
"generatePreviewMedia_label": "Générer des médias d'aperçu pour cet emplacement",
"generate_checksums": "Générer des sommes de contrôle",
"go_back": "Revenir",
@ -186,12 +206,16 @@
"join_discord": "Rejoindre Discord",
"join_library": "Rejoindre une bibliothèque",
"join_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.",
"key": "Clé",
"key_manager": "Gestionnaire de clés",
"key_manager_description": "Créez des clés de chiffrement, montez et démontez vos clés pour voir les fichiers déchiffrés à la volée.",
"keybinds": "Raccourcis clavier",
"keybinds_description": "Afficher et gérer les raccourcis clavier du client",
"keys": "Clés",
"kilometers": "Kilomètres",
"labels": "Étiquettes",
"language": "Langue",
"language_description": "Changer la langue de l'interface Spacedrive",
"learn_more_about_telemetry": "En savoir plus sur la télémesure",
"libraries": "Bibliothèques",
"libraries_description": "La base de données contient toutes les données de la bibliothèque et les métadonnées des fichiers.",
@ -206,10 +230,10 @@
"local": "Local",
"local_locations": "Emplacements locaux",
"local_node": "Nœud local",
"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_is_already_linked": "L'emplacement est déjà lié",
"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_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",
"location_type_managed": "Spacedrive triera les fichiers pour vous. Si l'emplacement n'est pas vide, un dossier \"spacedrive\" sera créé.",
@ -220,6 +244,8 @@
"lock": "Verrouiller",
"log_in_with_browser": "Se connecter avec le navigateur",
"log_out": "Se déconnecter",
"logged_in_as": "Connecté en tant que {{email}}",
"logout": "Déconnexion",
"manage_library": "Gérer la bibliothèque",
"managed": "Géré",
"media": "Médias",
@ -233,10 +259,19 @@
"more": "Plus",
"more_actions": "Plus d'actions...",
"more_info": "Plus d'info",
"move_back_within_quick_preview": "Revenir en arrière dans l'aperçu rapide",
"move_files": "Déplacer les fichiers",
"move_forward_within_quick_preview": "Avancer dans l'aperçu rapide",
"name": "Nom",
"navigate_back": "Naviguer en arrière",
"navigate_backwards": "Naviguer vers l'arrière",
"navigate_files_downwards": "Naviguer vers le bas dans les fichiers",
"navigate_files_leftwards": "Naviguer vers la gauche dans les fichiers",
"navigate_files_rightwards": "Naviguer vers la droite dans les fichiers",
"navigate_files_upwards": "Naviguer vers le haut dans les fichiers",
"navigate_forward": "Naviguer en avant",
"navigate_forwards": "Naviguer vers l'avant",
"navigate_to_settings_page": "Accéder à la page des paramètres",
"network": "Réseau",
"network_page_description": "Les autres nœuds Spacedrive de votre LAN apparaîtront ici, ainsi que vos montages réseau par défaut du système d'exploitation.",
"networking": "Réseautage",
@ -265,13 +300,19 @@
"open": "Ouvrir",
"open_file": "Ouvrir le fichier",
"open_new_location_once_added": "Ouvrir le nouvel emplacement une fois ajouté",
"open_new_tab": "Ouvrir un nouvel onglet",
"open_object": "Ouvrir l'objet",
"open_object_from_quick_preview_in_native_file_manager": "Ouvrir l'objet depuis l'aperçu rapide dans le gestionnaire de fichiers natif",
"open_settings": "Ouvrir les paramètres",
"open_with": "Ouvrir avec",
"or": "OU",
"overview": "Aperçu",
"page": "Page",
"page_shortcut_description": "Différentes pages de l'application",
"pair": "Associer",
"pairing_with_node": "Appairage avec {{node}}",
"paste": "Coller",
"paste_object": "Coller l'objet",
"path": "Chemin",
"path_copied_to_clipboard_description": "Chemin pour l'emplacement {{location}} copié dans le presse-papiers.",
"path_copied_to_clipboard_title": "Chemin copié dans le presse-papiers",
@ -283,6 +324,7 @@
"quick_preview": "Aperçu rapide",
"quick_view": "Vue rapide",
"recent_jobs": "Travaux récents",
"recents": "Récents",
"regen_labels": "Régénérer les étiquettes",
"regen_thumbnails": "Régénérer les vignettes",
"regenerate_thumbs": "Régénérer les miniatures",
@ -292,6 +334,7 @@
"remove": "Retirer",
"remove_from_recents": "Retirer des récents",
"rename": "Renommer",
"rename_object": "Renommer l'objet",
"replica": "Réplique",
"rescan_directory": "Réanalyser le répertoire",
"rescan_location": "Réanalyser l'emplacement",
@ -300,6 +343,7 @@
"restore": "Restaurer",
"resume": "Reprendre",
"retry": "Réessayer",
"reveal_in_native_file_manager": "Révéler dans le gestionnaire de fichiers natif",
"revel_in_browser": "Révéler dans {{browser}}",
"running": "En cours",
"save": "Sauvegarder",
@ -327,12 +371,20 @@
"size": "Taille",
"skip_login": "Passer la connexion",
"sort_by": "Trier par",
"spacedrive_account": "Compte Spacedrive",
"spacedrive_cloud": "Cloud Spacedrive",
"spacedrive_cloud_description": "Spacedrive est toujours local en premier lieu, mais nous proposerons nos propres services cloud en option à l'avenir. Pour l'instant, l'authentification est uniquement utilisée pour la fonctionnalité de retour d'information, sinon elle n'est pas requise.",
"spacedrop_a_file": "Déposer un fichier dans Spacedrive",
"square_thumbnails": "Vignettes carrées",
"star_on_github": "Mettre une étoile sur GitHub",
"stop": "Arrêter",
"success": "Succès",
"support": "Support",
"switch_to_grid_view": "Passer à la vue en grille",
"switch_to_list_view": "Passer à la vue en liste",
"switch_to_media_view": "Passer à la vue des médias",
"switch_to_next_tab": "Passer à l'onglet suivant",
"switch_to_previous_tab": "Passer à l'onglet précédent",
"sync": "Synchroniser",
"syncPreviewMedia_label": "Synchroniser les médias d'aperçu pour cet emplacement avec vos appareils",
"sync_description": "Gérer la manière dont Spacedrive se synchronise.",
@ -343,9 +395,17 @@
"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",
"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_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",
"toggle_job_manager": "Activer/désactiver le gestionnaire de tâches",
"toggle_metadata": "Activer/désactiver les métadonnées",
"toggle_path_bar": "Activer/désactiver la barre de chemin",
"toggle_quick_preview": "Activer/désactiver l'aperçu rapide",
"type": "Type",
"ui_animations": "Animations de l'interface",
"ui_animations_description": "Les dialogues et autres éléments d'interface animeront lors de l'ouverture et de la fermeture.",
@ -359,10 +419,5 @@
"your_account": "Votre compte",
"your_account_description": "Compte et informations Spacedrive.",
"your_local_network": "Votre réseau local",
"your_privacy": "Votre confidentialité",
"recents": "Récents",
"favorites": "Favoris",
"labels": "Étiquettes",
"language": "Langue",
"language_description": "Changer la langue de l'interface Spacedrive"
"your_privacy": "Votre confidentialité"
}

View file

@ -9,6 +9,7 @@
"add": "Toevoegen",
"add_device": "Apparaat Toevoegen",
"add_library": "Bibliotheek Toevoegen",
"add_location": "Locatie Toevoegen",
"add_location_description": "Verbeter je Spacedrive ervaring door al je favoriete locaties toe te voegen aan je persoonlijke bibliotheek, voor een naadloze en efficiënte bestandsbeheer.",
"add_location_tooltip": "Voeg pad toe als een geïndexeerde locatie",
"add_locations": "Locaties Toevoegen",
@ -31,6 +32,7 @@
"blur_effects": "Blur Effecten",
"blur_effects_description": "Op sommige onderdelen wordt een blur effect toegepast.",
"cancel": "Annuleren",
"cancel_selection": "Selectie annuleren",
"celcius": "Celsius",
"change": "Wijzigen",
"changelog": "Wijzigingslogboek",
@ -40,6 +42,7 @@
"clear_finished_jobs": "Ruim voltooide taken op",
"client": "Client",
"close": "Sluit",
"close_current_tab": "Huidig tabblad sluiten",
"clouds": "Clouds",
"color": "Kleur",
"coming_soon": "Komt binnenkort",
@ -55,6 +58,7 @@
"copied": "Gekopieerd",
"copy": "Kopieer",
"copy_as_path": "Kopieer als pad",
"copy_object": "Object kopiëren",
"copy_path_to_clipboard": "Kopieer pad naar klembord",
"create": "Creëer",
"create_library": "Creëer Bibliotheek",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Huidige Map Met Afstammelingen",
"custom": "Aangepast",
"cut": "Knip",
"cut_object": "Object knippen",
"data_folder": "Gegevens Map",
"debug_mode": "Debug modus",
"debug_mode_description": "Schakel extra debugging functies in de app in.",
@ -83,6 +88,7 @@
"delete_library_description": "Dit is permanent, je bestanden worden niet verwijderd, alleen de Spacedrive bibliotheek.",
"delete_location": "Verwijder Locatie",
"delete_location_description": "Als je een locatie verwijdert, worden ook alle bijbehorende bestanden uit de Spacedrive database verwijderd, de bestanden zelf worden niet verwijderd.",
"delete_object": "Object verwijderen",
"delete_rule": "Verwijder regel",
"delete_tag": "Verwijder Tag",
"delete_tag_description": "Weet je zeker dat je deze tag wilt verwijderen? Dit kan niet ongedaan worden gemaakt en ge-tagde bestanden worden ontkoppeld.",
@ -92,6 +98,8 @@
"details": "Details",
"devices": "Apparaten",
"devices_coming_soon_tooltip": "Binnenkort beschikbaar! Deze alpha release bevat geen bibliotheeksynchronisatie, dit zal binnenkort beschikbaar zijn.",
"dialog": "Dialoog",
"dialog_shortcut_description": "Om acties en bewerkingen uit te voeren",
"direction": "Richting",
"disabled": "Uitgeschakeld",
"display_formats": "Weergave Eenheden",
@ -102,6 +110,7 @@
"double_click_action": "Dubbele klikactie",
"download": "Download",
"duplicate": "Dupliceer",
"duplicate_object": "Object dupliceren",
"edit": "Bewerk",
"edit_library": "Bewerk Bibliotheek",
"edit_location": "Bewerk Locatie",
@ -119,6 +128,7 @@
"error_loading_original_file": "Fout bij het laden van het originele bestand",
"expand": "Uitbreiden",
"explorer": "Verkenner",
"explorer_shortcut_description": "Om te navigeren en te interageren met het bestandssysteem",
"export": "Exporteer",
"export_library": "Exporteer Bibliotheek",
"export_library_coming_soon": "Bibliotheek Exporteren komt binnenkort",
@ -128,7 +138,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "Kan taak niet annuleren.",
"failed_to_clear_all_jobs": "Kan niet alle taken wissen.",
"failed_to_copy_file": "Kopiëren van bestand is mislukt",
"failed_to_copy_file_path": "Kan bestandspad niet kopiëren",
"failed_to_cut_file": "Knippen van bestand is mislukt",
"failed_to_duplicate_file": "Kan bestand niet dupliceren",
"failed_to_generate_checksum": "Kan controlegetal niet genereren",
"failed_to_generate_labels": "Kan labels niet genereren",
@ -142,6 +154,13 @@
"failed_to_resume_job": "Kan taak niet hervatten.",
"failed_to_update_location_settings": "Kan locatie instellingen niet updaten",
"favorite": "Favoriet",
"favorites": "Favorieten",
"feedback": "Feedback",
"feedback_is_required": "Feedback is verplicht",
"feedback_login_description": "Inloggen stelt ons in staat om te reageren op jouw feedback",
"feedback_placeholder": "Jouw feedback...",
"feedback_toast_error_message": "Er is een fout opgetreden bij het verzenden van je feedback. Probeer het opnieuw.",
"file_already_exist_in_this_location": "Bestand bestaat al op deze locatie",
"file_indexing_rules": "Bestand indexeringsregels",
"filters": "Filters",
"forward": "Vooruit",
@ -152,6 +171,7 @@
"general": "Algemeen",
"general_settings": "Algemene Instellingen",
"general_settings_description": "Algemene instellingen gerelateerd aan deze client.",
"general_shortcut_description": "Algemene sneltoetsen",
"generatePreviewMedia_label": "Genereer voorvertoning media voor deze Locatie",
"generate_checksums": "Genereer Controlegetal",
"go_back": "Ga Terug",
@ -187,12 +207,16 @@
"join_discord": "Meedoen op Discord",
"join_library": "Neem deel aan een Bibliotheek",
"join_library_description": "Bibliotheken zijn een veilige lokale database op het apparaat. Je bestanden blijven waar ze zijn, de bibliotheek catalogiseert ze en slaat alle Spacedrive gerelateerde gegevens op.",
"key": "Sleutel",
"key_manager": "Sleutel Beheerder",
"key_manager_description": "Creëer encryptiesleutels, koppel en ontkoppel je sleutels om te zien dat bestanden direct worden versleuteld.",
"keybinds": "Toetscombinaties",
"keybinds_description": "Bekijk en beheer client toetscombinaties",
"keys": "Sleutels",
"kilometers": "Kilometers",
"labels": "Labels",
"language": "Taal",
"language_description": "Wijzig de taal van de Spacedrive interface",
"learn_more_about_telemetry": "Meer informatie over telemetrie",
"libraries": "Bibliotheken",
"libraries_description": "De database bevat all bibliotheek gegevens en metagegevens van bestanden.",
@ -207,10 +231,10 @@
"local": "Lokaal",
"local_locations": "Lokale Locaties",
"local_node": "Lokale Node",
"location_display_name_info": "De naam van deze Locatie, deze wordt weergegeven in de zijbalk. Zal de daadwerkelijke map op schijf niet hernoemen.",
"location_is_already_linked": "Locatie is al gekoppeld",
"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_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",
"location_type_managed": "Spacedrive sorteert bestanden voor je. Als de Locatie niet leeg is, wordt er een map \"Spacedrive\" gecreëerd.",
@ -221,6 +245,8 @@
"lock": "Vergrendel",
"log_in_with_browser": "Inloggen met browser",
"log_out": "Uitloggen",
"logged_in_as": "Ingelogd als {{email}}",
"logout": "Uitloggen",
"manage_library": "Beheer Bibliotheek",
"managed": "Beheerd",
"media": "Media",
@ -234,10 +260,19 @@
"more": "Meer",
"more_actions": "Meer acties...",
"more_info": "Meer info",
"move_back_within_quick_preview": "Terug bewegen binnen snelle voorvertoning",
"move_files": "Verplaats Bestanden",
"move_forward_within_quick_preview": "Vooruit bewegen binnen snelle voorvertoning",
"name": "Naam",
"navigate_back": "Navigeer terug",
"navigate_backwards": "Terug navigeren",
"navigate_files_downwards": "Bestanden naar beneden navigeren",
"navigate_files_leftwards": "Bestanden naar links navigeren",
"navigate_files_rightwards": "Bestanden naar rechts navigeren",
"navigate_files_upwards": "Bestanden omhoog navigeren",
"navigate_forward": "Navigeer vooruit",
"navigate_forwards": "Vooruit navigeren",
"navigate_to_settings_page": "Navigeer naar Instellingen pagina",
"network": "Netwerk",
"network_page_description": "Andere Spacedrive nodes op je LAN verschijnen hier, samen met je standaard OS netwerkkoppelingen.",
"networking": "Netwerk",
@ -266,13 +301,19 @@
"open": "Open",
"open_file": "Open Bestand",
"open_new_location_once_added": "Open nieuwe locatie zodra deze is toegevoegd",
"open_new_tab": "Nieuw tabblad openen",
"open_object": "Object openen",
"open_object_from_quick_preview_in_native_file_manager": "Object van snelle voorvertoning openen in de native bestandsbeheerder",
"open_settings": "Open Instellingen",
"open_with": "Open met",
"or": "OF",
"overview": "Overzicht",
"page": "Pagina",
"page_shortcut_description": "Verschillende pagina's in de app",
"pair": "Koppel",
"pairing_with_node": "Koppelen met {{node}}",
"paste": "Plak",
"paste_object": "Object plakken",
"path": "Pad",
"path_copied_to_clipboard_description": "Pad van locatie {{location}} gekopieerd naar klembord.",
"path_copied_to_clipboard_title": "Pad gekopieerd naar klembord",
@ -284,6 +325,7 @@
"quick_preview": "Snelle Voorvertoning",
"quick_view": "Geef snel weer",
"recent_jobs": "Recente Taken",
"recents": "Recent",
"regen_labels": "Regenereer Labels",
"regen_thumbnails": "Regenereer Miniaturen",
"regenerate_thumbs": "Regenereer Miniaturen",
@ -293,6 +335,7 @@
"remove": "Verwijder",
"remove_from_recents": "Verwijder van Recent",
"rename": "Naam wijzigen",
"rename_object": "Object hernoemen",
"replica": "Replica",
"rescan_directory": "Bibliotheek Opnieuw Scannen",
"rescan_location": "Locatie Opnieuw Scannen",
@ -301,6 +344,7 @@
"restore": "Herstel",
"resume": "Hervat",
"retry": "Probeer Opnieuw",
"reveal_in_native_file_manager": "Onthullen in de native bestandsbeheerder",
"revel_in_browser": "Toon in {{browser}}",
"running": "Actief",
"save": "Opslaan",
@ -328,12 +372,20 @@
"size": "Grootte",
"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",
"square_thumbnails": "Vierkante Miniaturen",
"star_on_github": "Ster op GitHub",
"stop": "Stop",
"success": "Succes",
"support": "Ondersteuning",
"switch_to_grid_view": "Overschakelen naar rasterweergave",
"switch_to_list_view": "Overschakelen naar lijstweergave",
"switch_to_media_view": "Overschakelen naar mediaweergave",
"switch_to_next_tab": "Naar volgend tabblad schakelen",
"switch_to_previous_tab": "Naar vorig tabblad schakelen",
"sync": "Synchronisatie",
"syncPreviewMedia_label": "Synchroniseer voorvertoningsmedia van deze locatie met je apparaten",
"sync_description": "Beheer hoe Spacedrive synchroniseert.",
@ -344,9 +396,17 @@
"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",
"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_hidden_files": "Verborgen bestanden in-/uitschakelen",
"toggle_image_slider_within_quick_preview": "Afbeeldingsschuifregelaar in snelle voorvertoning in-/uitschakelen",
"toggle_inspector": "Inspector in-/uitschakelen",
"toggle_job_manager": "Jobmanager in-/uitschakelen",
"toggle_metadata": "Metadata in-/uitschakelen",
"toggle_path_bar": "Padbalk in-/uitschakelen",
"toggle_quick_preview": "Snelle voorvertoning in-/uitschakelen",
"type": "Type",
"ui_animations": "UI Animaties",
"ui_animations_description": "Dialogen en andere UI elementen zullen animeren bij het openen en sluiten.",
@ -360,10 +420,5 @@
"your_account": "Je account",
"your_account_description": "Spacedrive account en informatie.",
"your_local_network": "Je Lokale Netwerk",
"your_privacy": "Jouw Privacy",
"recents": "Recent",
"favorites": "Favorieten",
"labels": "Labels",
"language": "Taal",
"language_description": "Wijzig de taal van de Spacedrive interface"
"your_privacy": "Jouw Privacy"
}

View file

@ -9,6 +9,7 @@
"add": "Ekle",
"add_device": "Cihaz Ekle",
"add_library": "Kütüphane Ekle",
"add_location": "Konum Ekle",
"add_location_description": "Favori konumlarınızı kişisel kütüphanenize ekleyerek Spacedrive deneyiminizi geliştirin, sorunsuz ve verimli dosya yönetimi için.",
"add_location_tooltip": "Dizin olarak ekleyin",
"add_locations": "Konumlar Ekle",
@ -31,15 +32,17 @@
"blur_effects": "Bulanıklaştırma Efektleri",
"blur_effects_description": "Bazı bileşenlere bulanıklaştırma efekti uygulanacak.",
"cancel": "İptal",
"cancel_selection": "Seçimi iptal et",
"celcius": "Santigrat",
"change": "Değiştir",
"changelog": "Değişiklik Günlüğü",
"changelog": "Değişiklikler",
"changelog_page_description": "Yaptığımız havalı yeni özellikleri görün",
"changelog_page_title": "Değişiklik Günlüğü",
"changelog_page_title": "Değişiklikler",
"checksum": "Kontrol Toplamı",
"clear_finished_jobs": "Biten işleri temizle",
"client": "İstemci",
"close": "Kapat",
"close_current_tab": "Geçerli sekmeyi kapat",
"clouds": "Bulutlar",
"color": "Renk",
"coming_soon": "Yakında",
@ -55,6 +58,7 @@
"copied": "Kopyalandı",
"copy": "Kopyala",
"copy_as_path": "Yolu kopyala",
"copy_object": "Nesneyi kopyala",
"copy_path_to_clipboard": "Yolu panoya kopyala",
"create": "Oluştur",
"create_library": "Kütüphane Oluştur",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "Alt Dizinler Dahil Mevcut Dizin",
"custom": "Özel",
"cut": "Kes",
"cut_object": "Nesneyi kes",
"data_folder": "Veri Klasörü",
"debug_mode": "Hata Ayıklama Modu",
"debug_mode_description": "Uygulama içinde ek hata ayıklama özelliklerini etkinleştir.",
@ -83,6 +88,7 @@
"delete_library_description": "Bu kalıcıdır, dosyalarınız silinmeyecek, sadece Spacedrive kütüphanesi silinecek.",
"delete_location": "Konumu Sil",
"delete_location_description": "Bir konumu silmek, Spacedrive veritabanından ilişkili tüm dosyaları da kaldıracaktır, dosyalar kendileri silinmez.",
"delete_object": "Nesneyi sil",
"delete_rule": "Kuralı Sil",
"delete_tag": "Etiketi Sil",
"delete_tag_description": "Bu etiketi silmek istediğinizden emin misiniz? Bu geri alınamaz ve etiketli dosyalar bağlantısız kalacak.",
@ -92,6 +98,8 @@
"details": "Detaylar",
"devices": "Cihazlar",
"devices_coming_soon_tooltip": "Yakında geliyor! Bu alfa sürümü kütüphane senkronizasyonunu içermiyor, çok yakında hazır olacak.",
"dialog": "İletişim kutusu",
"dialog_shortcut_description": "Eylemler ve işlemler gerçekleştirmek için",
"direction": "Yön",
"disabled": "Devre Dışı",
"display_formats": "Görüntüleme Formatları",
@ -102,6 +110,7 @@
"double_click_action": "Çift tıklama eylemi",
"download": "İndir",
"duplicate": "Kopyala",
"duplicate_object": "Nesneyi çoğalt",
"edit": "Düzenle",
"edit_library": "Kütüphaneyi Düzenle",
"edit_location": "Konumu Düzenle",
@ -119,6 +128,7 @@
"error_loading_original_file": "Orijinal dosya yüklenirken hata",
"expand": "Genişlet",
"explorer": "Gezgin",
"explorer_shortcut_description": "Dosya sistemiyle gezinmek ve etkileşimde bulunmak için",
"export": "Dışa Aktar",
"export_library": "Kütüphaneyi Dışa Aktar",
"export_library_coming_soon": "Kütüphaneyi dışa aktarma yakında geliyor",
@ -128,7 +138,9 @@
"fahrenheit": "Fahrenheit",
"failed_to_cancel_job": "İş iptal edilemedi.",
"failed_to_clear_all_jobs": "Tüm işler temizlenemedi.",
"failed_to_copy_file": "Dosya kopyalanamadı",
"failed_to_copy_file_path": "Dosya yolu kopyalanamadı",
"failed_to_cut_file": "Dosya kesilemedi",
"failed_to_duplicate_file": "Dosya kopyalanamadı",
"failed_to_generate_checksum": "Kontrol toplamı oluşturulamadı",
"failed_to_generate_labels": "Etiketler oluşturulamadı",
@ -142,6 +154,13 @@
"failed_to_resume_job": "İş devam ettirilemedi.",
"failed_to_update_location_settings": "Konum ayarları güncellenemedi",
"favorite": "Favori",
"favorites": "Favoriler",
"feedback": "Geribildirim",
"feedback_is_required": "Geribildirim gereklidir",
"feedback_login_description": "Giriş yapmak, geribildiriminize yanıt vermemizi sağlar",
"feedback_placeholder": "Geribildiriminiz...",
"feedback_toast_error_message": "Geribildiriminizi gönderirken bir hata oluştu. Lütfen tekrar deneyin.",
"file_already_exist_in_this_location": "Dosya bu konumda zaten mevcut",
"file_indexing_rules": "Dosya İndeksleme Kuralları",
"filters": "Filtreler",
"forward": "İleri",
@ -152,6 +171,7 @@
"general": "Genel",
"general_settings": "Genel Ayarlar",
"general_settings_description": "Bu müşteriye ilişkin genel ayarlar.",
"general_shortcut_description": "Genel kullanım kısayolları",
"generatePreviewMedia_label": "Bu Konum için önizleme medyası oluştur",
"generate_checksums": "Kontrol Toplamları Oluştur",
"go_back": "Geri Dön",
@ -187,12 +207,16 @@
"join_discord": "Discord'a Katıl",
"join_library": "Kütüphaneye Katıl",
"join_library_description": "Kütüphaneler güvenli, cihaz içi bir veritabanıdır. Dosyalarınız yerinde kalır, Kütüphane onları kataloglar ve tüm Spacedrive ile ilgili verileri saklar.",
"key": "Anahtar",
"key_manager": "Anahtar Yöneticisi",
"key_manager_description": "Şifreleme anahtarları oluştur, anahtarlarınızı tak ve çıkararak dosyalarınızın uçuşta şifresini çözün.",
"keybinds": "Tuş Bağlamaları",
"keybinds_description": "İstemci tuş bağlamalarını görüntüleyin ve yönetin",
"keys": "Anahtarlar",
"kilometers": "Kilometreler",
"labels": "Etiketler",
"language": "Dil",
"language_description": "Spacedrive arayüzünün dilini değiştirin",
"learn_more_about_telemetry": "Telemetri hakkında daha fazla bilgi edinin",
"libraries": "Kütüphaneler",
"libraries_description": "Veritabanı tüm kütüphane verilerini ve dosya metaverilerini içerir.",
@ -207,10 +231,10 @@
"local": "Yerel",
"local_locations": "Yerel Konumlar",
"local_node": "Yerel Düğüm",
"location_display_name_info": "Bu Konumun adı, kenar çubuğunda gösterilecek olan budur. Diskteki gerçek klasörü yeniden adlandırmaz.",
"location_is_already_linked": "Konum zaten bağlantılı",
"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_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ü",
"location_type_managed": "Spacedrive sizin için dosyaları sıralar. Eğer Konum boş değilse, bir \"spacedrive\" klasörü oluşturulacak.",
@ -221,6 +245,8 @@
"lock": "Kilitle",
"log_in_with_browser": "Tarayıcı ile Giriş Yap",
"log_out": ıkış Yap",
"logged_in_as": "{{email}} olarak giriş yapıldı",
"logout": ıkış Yap",
"manage_library": "Kütüphaneyi Yönet",
"managed": "Yönetilen",
"media": "Medya",
@ -234,10 +260,19 @@
"more": "Daha fazla",
"more_actions": "Daha fazla eylem...",
"more_info": "Daha fazla bilgi",
"move_back_within_quick_preview": "Hızlı önizleme içinde geri git",
"move_files": "Dosyaları Taşı",
"move_forward_within_quick_preview": "Hızlı önizleme içinde ileri git",
"name": "Ad",
"navigate_back": "Geri git",
"navigate_backwards": "Geri git",
"navigate_files_downwards": "Dosyalara aşağı doğru gezin",
"navigate_files_leftwards": "Dosyalara sola doğru gezin",
"navigate_files_rightwards": "Dosyalara sağa doğru gezin",
"navigate_files_upwards": "Dosyalara yukarı doğru gezin",
"navigate_forward": "İleri git",
"navigate_forwards": "İleri git",
"navigate_to_settings_page": "Ayarlar sayfasına git",
"network": "Ağ",
"network_page_description": "Yerel Ağınızda diğer Spacedrive düğümleri burada görünecek, varsayılan işletim sistemi ağ bağlantıları ile birlikte.",
"networking": "Ağ",
@ -266,13 +301,19 @@
"open": "Aç",
"open_file": "Dosyayı Aç",
"open_new_location_once_added": "Yeni konum eklendikten sonra aç",
"open_new_tab": "Yeni sekme aç",
"open_object": "Nesneyi aç",
"open_object_from_quick_preview_in_native_file_manager": "Hızlı önizlemedeki nesneyi yerel dosya yöneticisinde aç",
"open_settings": "Ayarları Aç",
"open_with": "İle aç",
"or": "VEYA",
"overview": "Genel Bakış",
"page": "Sayfa",
"page_shortcut_description": "Uygulamadaki farklı sayfalar",
"pair": "Eşle",
"pairing_with_node": "{{node}} ile eşleşiyor",
"paste": "Yapıştır",
"paste_object": "Nesneyi yapıştır",
"path": "Yol",
"path_copied_to_clipboard_description": "{{location}} konumu için yol panoya kopyalandı.",
"path_copied_to_clipboard_title": "Yol panoya kopyalandı",
@ -284,6 +325,7 @@
"quick_preview": "Hızlı Önizleme",
"quick_view": "Hızlı bakış",
"recent_jobs": "Son İşler",
"recents": "Son Kullanılanlar",
"regen_labels": "Etiketleri Yeniden Oluştur",
"regen_thumbnails": "Küçük Resimleri Yeniden Oluştur",
"regenerate_thumbs": "Küçük Resimleri Yeniden Oluştur",
@ -293,6 +335,7 @@
"remove": "Kaldır",
"remove_from_recents": "Son Kullanılanlardan Kaldır",
"rename": "Yeniden Adlandır",
"rename_object": "Nesneyi yeniden adlandır",
"replica": "Replika",
"rescan_directory": "Dizini Yeniden Tara",
"rescan_location": "Konumu Yeniden Tara",
@ -301,6 +344,7 @@
"restore": "Geri Yükle",
"resume": "Devam Ettir",
"retry": "Yeniden Dene",
"reveal_in_native_file_manager": "Yerel dosya yöneticisinde göster",
"revel_in_browser": "{{browser}}'da Göster",
"running": "Çalışıyor",
"save": "Kaydet",
@ -328,12 +372,20 @@
"size": "Boyut",
"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",
"square_thumbnails": "Kare Küçük Resimler",
"star_on_github": "GitHub'da Yıldızla",
"stop": "Durdur",
"success": "Başarılı",
"support": "Destek",
"switch_to_grid_view": "Kılavuz görünümüne geç",
"switch_to_list_view": "Liste görünümüne geç",
"switch_to_media_view": "Medya görünümüne geç",
"switch_to_next_tab": "Sonraki sekmeye geç",
"switch_to_previous_tab": "Önceki sekmeye geç",
"sync": "Senkronize Et",
"syncPreviewMedia_label": "Bu Konum için ön izleme medyasını cihazlarınızla senkronize et",
"sync_description": "Spacedrive'ın nasıl senkronize edileceğini yönetin.",
@ -344,9 +396,17 @@
"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",
"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_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",
"toggle_job_manager": "İş yöneticisini aç/kapat",
"toggle_metadata": "Meta verileri aç/kapat",
"toggle_path_bar": "Yol çubuğunu aç/kapat",
"toggle_quick_preview": "Hızlı önizlemeyi aç/kapat",
"type": "Tip",
"ui_animations": "UI Animasyonları",
"ui_animations_description": "Diyaloglar ve diğer UI elementleri açılırken ve kapanırken animasyon gösterecek.",
@ -360,10 +420,5 @@
"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",
"recents": "Son Kullanılanlar",
"favorites": "Favoriler",
"labels": "Etiketler",
"language": "Dil",
"language_description": "Spacedrive arayüzünün dilini değiştirin"
"your_privacy": "Gizliliğiniz"
}

View file

@ -9,6 +9,7 @@
"add": "添加",
"add_device": "添加设备",
"add_library": "添加库",
"add_location": "添加位置",
"add_location_description": "通过将您喜爱的位置添加到您的个人库中增强您的Spacedrive体验以实现无缝高效的文件管理。",
"add_location_tooltip": "添加路径作为索引位置",
"add_locations": "添加位置",
@ -31,6 +32,7 @@
"blur_effects": "模糊效果",
"blur_effects_description": "某些组件将应用模糊效果。",
"cancel": "取消",
"cancel_selection": "取消选择",
"celcius": "摄氏度",
"change": "更改",
"changelog": "更新日志",
@ -40,6 +42,7 @@
"clear_finished_jobs": "清除已完成的任务",
"client": "客户端",
"close": "关闭",
"close_current_tab": "关闭当前标签页",
"clouds": "云",
"color": "颜色",
"coming_soon": "即将推出",
@ -55,6 +58,7 @@
"copied": "已复制",
"copy": "复制",
"copy_as_path": "复制为路径",
"copy_object": "复制对象",
"copy_path_to_clipboard": "复制路径到剪贴板",
"create": "创建",
"create_library": "创建库",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "当前目录及其子目录",
"custom": "自定义",
"cut": "剪切",
"cut_object": "剪切对象",
"data_folder": "数据文件夹",
"debug_mode": "调试模式",
"debug_mode_description": "在应用内启用额外的调试功能。",
@ -83,6 +88,7 @@
"delete_library_description": "这是永久性的您的文件不会被删除只有Spacedrive库会被删除。",
"delete_location": "删除位置",
"delete_location_description": "删除一个位置也将删除所有与之关联的文件从Spacedrive数据库中文件本身不会被删除。",
"delete_object": "删除对象",
"delete_rule": "删除规则",
"delete_tag": "删除标签",
"delete_tag_description": "您确定要删除这个标签吗?这不能被撤销,打过标签的文件将会被取消链接。",
@ -92,6 +98,8 @@
"details": "详情",
"devices": "设备",
"devices_coming_soon_tooltip": "即将推出这个Alpha版本不包括库同步很快就会准备好。",
"dialog": "对话框",
"dialog_shortcut_description": "执行操作和操作",
"direction": "方向",
"disabled": "已禁用",
"display_formats": "显示格式",
@ -102,6 +110,7 @@
"double_click_action": "双击操作",
"download": "下载",
"duplicate": "复制",
"duplicate_object": "复制对象",
"edit": "编辑",
"edit_library": "编辑库",
"edit_location": "编辑位置",
@ -119,6 +128,7 @@
"error_loading_original_file": "加载原始文件出错",
"expand": "展开",
"explorer": "资源管理器",
"explorer_shortcut_description": "导航和与文件系统交互",
"export": "导出",
"export_library": "导出库",
"export_library_coming_soon": "导出库功能即将推出",
@ -128,7 +138,9 @@
"fahrenheit": "华氏度",
"failed_to_cancel_job": "取消任务失败。",
"failed_to_clear_all_jobs": "清除所有任务失败。",
"failed_to_copy_file": "复制文件失败",
"failed_to_copy_file_path": "复制文件路径失败",
"failed_to_cut_file": "剪切文件失败",
"failed_to_duplicate_file": "复制文件失败",
"failed_to_generate_checksum": "生成校验和失败",
"failed_to_generate_labels": "生成标签失败",
@ -142,6 +154,13 @@
"failed_to_resume_job": "恢复任务失败。",
"failed_to_update_location_settings": "更新位置设置失败",
"favorite": "收藏",
"favorites": "收藏夹",
"feedback": "反馈",
"feedback_is_required": "反馈是必填项",
"feedback_login_description": "登录使我们能够回复您的反馈",
"feedback_placeholder": "您的反馈...",
"feedback_toast_error_message": "提交反馈时出错,请重试。",
"file_already_exist_in_this_location": "文件已存在于此位置",
"file_indexing_rules": "文件索引规则",
"filters": "过滤器",
"forward": "前进",
@ -152,6 +171,7 @@
"general": "一般",
"general_settings": "一般设置",
"general_settings_description": "与此客户端相关的一般设置。",
"general_shortcut_description": "常规使用快捷键",
"generatePreviewMedia_label": "为这个位置生成预览媒体",
"generate_checksums": "生成校验和",
"go_back": "返回",
@ -187,12 +207,16 @@
"join_discord": "加入Discord",
"join_library": "加入一个库",
"join_library_description": "库是一个安全的设备上的数据库。您的文件保持原位库对其进行目录编制并存储所有Spacedrive相关数据。",
"key": "键",
"key_manager": "密钥管理器",
"key_manager_description": "创建加密密钥,挂载和卸载密钥以即时查看解密文件。",
"keybinds": "键绑定",
"keybinds_description": "查看和管理客户端键绑定",
"keys": "密钥",
"kilometers": "千米",
"labels": "标签",
"language": "语言",
"language_description": "更改Spacedrive界面的语言",
"learn_more_about_telemetry": "了解更多有关遥测的信息",
"libraries": "库",
"libraries_description": "数据库包含所有库数据和文件元数据。",
@ -207,10 +231,10 @@
"local": "本地",
"local_locations": "本地位置",
"local_node": "本地节点",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
"location_is_already_linked": "位置已经链接",
"location_connected_tooltip": "位置正在监视变化",
"location_disconnected_tooltip": "位置未被监视以检查更改",
"location_display_name_info": "此位置的名称,这是将显示在侧边栏的名称。不会重命名磁盘上的实际文件夹。",
"location_is_already_linked": "位置已经链接",
"location_path_info": "此位置的路径,这是文件在磁盘上的存储位置。",
"location_type": "位置类型",
"location_type_managed": "Spacedrive将为您排序文件。如果位置不为空将创建一个“spacedrive”文件夹。",
@ -221,6 +245,8 @@
"lock": "锁定",
"log_in_with_browser": "用浏览器登录",
"log_out": "退出登录",
"logged_in_as": "已登录为{{email}}",
"logout": "退出登录",
"manage_library": "管理库",
"managed": "已管理",
"media": "媒体",
@ -234,10 +260,19 @@
"more": "更多",
"more_actions": "更多操作…",
"more_info": "更多信息",
"move_back_within_quick_preview": "在快速预览中后退",
"move_files": "移动文件",
"move_forward_within_quick_preview": "在快速预览中前进",
"name": "名称",
"navigate_back": "回退",
"navigate_backwards": "向后导航",
"navigate_files_downwards": "向下导航文件",
"navigate_files_leftwards": "向左导航文件",
"navigate_files_rightwards": "向右导航文件",
"navigate_files_upwards": "向上导航文件",
"navigate_forward": "前进",
"navigate_forwards": "向前导航",
"navigate_to_settings_page": "导航到设置页面",
"network": "网络",
"network_page_description": "您的局域网上的其他Spacedrive节点将显示在这里以及您的默认操作系统网络挂载。",
"networking": "网络",
@ -266,13 +301,19 @@
"open": "打开",
"open_file": "打开文件",
"open_new_location_once_added": "添加新位置后立即打开",
"open_new_tab": "打开新标签页",
"open_object": "打开对象",
"open_object_from_quick_preview_in_native_file_manager": "在本机文件管理器中从快速预览中打开对象",
"open_settings": "打开设置",
"open_with": "打开方式",
"or": "或",
"overview": "概览",
"page": "页面",
"page_shortcut_description": "应用程序中的不同页面",
"pair": "配对",
"pairing_with_node": "正在与{{node}}配对",
"paste": "粘贴",
"paste_object": "粘贴对象",
"path": "路径",
"path_copied_to_clipboard_description": "位置{{location}}的路径已复制到剪贴板。",
"path_copied_to_clipboard_title": "路径已复制到剪贴板",
@ -284,6 +325,7 @@
"quick_preview": "快速预览",
"quick_view": "快速查看",
"recent_jobs": "最近的作业",
"recents": "最近使用",
"regen_labels": "重新生成标签",
"regen_thumbnails": "重新生成缩略图",
"regenerate_thumbs": "重新生成缩略图",
@ -293,6 +335,7 @@
"remove": "移除",
"remove_from_recents": "从最近使用中移除",
"rename": "重命名",
"rename_object": "重命名对象",
"replica": "副本",
"rescan_directory": "重新扫描目录",
"rescan_location": "重新扫描位置",
@ -301,6 +344,7 @@
"restore": "恢复",
"resume": "恢复",
"retry": "重试",
"reveal_in_native_file_manager": "在本机文件管理器中显示",
"revel_in_browser": "在{{browser}}中显示",
"running": "运行中",
"save": "保存",
@ -328,12 +372,20 @@
"size": "大小",
"skip_login": "跳过登录",
"sort_by": "排序依据",
"spacedrive_account": "Spacedrive 账户",
"spacedrive_cloud": "Spacedrive 云",
"spacedrive_cloud_description": "Spacedrive 始终以本地为先,但我们将来会提供自己的可选云服务。目前,身份验证仅用于反馈功能,否则不需要。",
"spacedrop_a_file": "Spacedrop文件",
"square_thumbnails": "方形缩略图",
"star_on_github": "在GitHub上给星标",
"stop": "停止",
"success": "成功",
"support": "支持",
"switch_to_grid_view": "切换到网格视图",
"switch_to_list_view": "切换到列表视图",
"switch_to_media_view": "切换到媒体视图",
"switch_to_next_tab": "切换到下一个标签页",
"switch_to_previous_tab": "切换到上一个标签页",
"sync": "同步",
"syncPreviewMedia_label": "将此位置的预览媒体与您的设备同步",
"sync_description": "管理Spacedrive的同步方式。",
@ -344,9 +396,17 @@
"telemetry_description": "切换为开以向开发者提供详细的使用情况和遥测数据,以增强应用程序。切换为关只发送基本数据:您的活动状态、应用版本、核心版本和平台(例如移动、网络或桌面)。",
"telemetry_title": "共享额外的遥测和使用数据",
"temperature": "温度",
"thank_you_for_your_feedback": "感谢您的反馈!",
"thumbnailer_cpu_usage": "缩略图生成器CPU使用",
"thumbnailer_cpu_usage_description": "限制缩略图生成器在后台处理时可以使用的CPU量。",
"toggle_all": "切换全部",
"toggle_hidden_files": "切换显示隐藏文件",
"toggle_image_slider_within_quick_preview": "在快速预览中切换图像滑块",
"toggle_inspector": "切换检查器",
"toggle_job_manager": "切换作业管理器",
"toggle_metadata": "切换元数据",
"toggle_path_bar": "切换显示路径栏",
"toggle_quick_preview": "切换快速预览",
"type": "类型",
"ui_animations": "用户界面动画",
"ui_animations_description": "打开和关闭时对话框和其他用户界面元素将产生动画效果。",
@ -360,10 +420,5 @@
"your_account": "您的账户",
"your_account_description": "Spacedrive账号和信息。",
"your_local_network": "您的本地网络",
"your_privacy": "您的隐私",
"recents": "最近使用",
"favorites": "收藏夹",
"labels": "标签",
"language": "语言",
"language_description": "更改Spacedrive界面的语言"
"your_privacy": "您的隐私"
}

View file

@ -9,6 +9,7 @@
"add": "新增",
"add_device": "新增裝置",
"add_library": "新增圖書館",
"add_location": "新增位置",
"add_location_description": "通過將您喜歡的位置添加到您的個人圖書館可增強您的Spacedrive體驗實現無縫高效的文件管理。",
"add_location_tooltip": "添加路徑作為索引位置",
"add_locations": "添加位置",
@ -31,6 +32,7 @@
"blur_effects": "模糊效果",
"blur_effects_description": "某些組件將應用模糊效果。",
"cancel": "取消",
"cancel_selection": "取消選擇",
"celcius": "攝氏",
"change": "更改",
"changelog": "變更日誌",
@ -40,6 +42,7 @@
"clear_finished_jobs": "清除已完成的工作",
"client": "客戶端",
"close": "關閉",
"close_current_tab": "關閉目前分頁",
"clouds": "雲",
"color": "顏色",
"coming_soon": "即將推出",
@ -55,6 +58,7 @@
"copied": "已複製",
"copy": "複製",
"copy_as_path": "作為路徑複製",
"copy_object": "複製物件",
"copy_path_to_clipboard": "複製路徑到剪貼簿",
"create": "創建",
"create_library": "創建圖書館",
@ -72,6 +76,7 @@
"current_directory_with_descendants": "當前目錄及其子目錄",
"custom": "自定義",
"cut": "剪切",
"cut_object": "剪下物件",
"data_folder": "數據文件夾",
"debug_mode": "除錯模式",
"debug_mode_description": "在應用程序中啟用額外的除錯功能。",
@ -83,6 +88,7 @@
"delete_library_description": "這是永久性的您的文件不會被刪除只有Spacedrive圖書館會被刪除。",
"delete_location": "刪除位置",
"delete_location_description": "刪除一個位置還將從Spacedrive數據庫中移除與其相關的所有文件文件本身不會被刪除。",
"delete_object": "刪除物件",
"delete_rule": "刪除規則",
"delete_tag": "刪除標籤",
"delete_tag_description": "您確定要刪除這個標籤嗎?這不能撤銷,並且帶有標籤的文件將被取消鏈接。",
@ -92,6 +98,8 @@
"details": "詳情",
"devices": "設備",
"devices_coming_soon_tooltip": "即將推出這個alpha版本不包括圖書館同步它將很快準備好。",
"dialog": "對話框",
"dialog_shortcut_description": "執行操作和操作",
"direction": "方向",
"disabled": "已禁用",
"display_formats": "顯示格式",
@ -102,6 +110,7 @@
"double_click_action": "雙擊操作",
"download": "下載",
"duplicate": "複製",
"duplicate_object": "複製物件",
"edit": "編輯",
"edit_library": "編輯圖書館",
"edit_location": "編輯位置",
@ -119,6 +128,7 @@
"error_loading_original_file": "加載原始文件出錯",
"expand": "展開",
"explorer": "資源管理器",
"explorer_shortcut_description": "導覽和與檔案系統互動",
"export": "導出",
"export_library": "導出圖書館",
"export_library_coming_soon": "導出圖書館即將推出",
@ -128,7 +138,9 @@
"fahrenheit": "華氏",
"failed_to_cancel_job": "取消工作失敗。",
"failed_to_clear_all_jobs": "清除所有工作失敗。",
"failed_to_copy_file": "複製檔案失敗",
"failed_to_copy_file_path": "複製文件路徑失敗",
"failed_to_cut_file": "剪下檔案失敗",
"failed_to_duplicate_file": "複製文件失敗",
"failed_to_generate_checksum": "生成校驗和失敗",
"failed_to_generate_labels": "生成標籤失敗",
@ -141,6 +153,13 @@
"failed_to_resume_job": "恢復工作失敗。",
"failed_to_update_location_settings": "更新位置設置失敗",
"favorite": "最愛",
"favorites": "收藏夾",
"feedback": "回饋",
"feedback_is_required": "需要回饋",
"feedback_login_description": "登入可讓我們回應您的回饋",
"feedback_placeholder": "您的回饋...",
"feedback_toast_error_message": "提交回饋時發生錯誤。請重試。",
"file_already_exist_in_this_location": "該位置已存在該檔案",
"file_indexing_rules": "文件索引規則",
"filters": "篩選器",
"forward": "前進",
@ -151,6 +170,7 @@
"general": "通用",
"general_settings": "通用設置",
"general_settings_description": "與此客戶端相關的一般設置。",
"general_shortcut_description": "一般使用快捷鍵",
"generatePreviewMedia_label": "為這個位置生成預覽媒體",
"generate_checksums": "生成校驗和",
"go_back": "返回",
@ -186,12 +206,16 @@
"join_discord": "加入Discord",
"join_library": "加入圖書館",
"join_library_description": "圖書館是一個安全的、設備上的數據庫。您的文件保留在原地圖書館對其進行目錄整理並存儲所有Spacedrive相關數據。",
"key": "鍵",
"key_manager": "密鑰管理器",
"key_manager_description": "創建加密密鑰,掛載和卸載您的密鑰,即時查看解密後的文件。",
"keybinds": "鍵綁定",
"keybinds_description": "查看和管理客戶端鍵綁定",
"keys": "鍵",
"kilometers": "公里",
"labels": "標籤",
"language": "語言",
"language_description": "更改Spacedrive界面的語言",
"learn_more_about_telemetry": "了解更多關於遙測的信息",
"libraries": "圖書館",
"libraries_description": "數據庫包含所有圖書館數據和文件元數據。",
@ -206,10 +230,10 @@
"local": "本地",
"local_locations": "本地位置",
"local_node": "本地節點",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
"location_is_already_linked": "位置已經被連接",
"location_connected_tooltip": "正在監視位置是否有變化",
"location_disconnected_tooltip": "正在監視位置是否有變化",
"location_display_name_info": "這個位置的名稱,這是在側邊欄中顯示的內容。不會重命名磁碟上的實際文件夾。",
"location_is_already_linked": "位置已經被連接",
"location_path_info": "這是位置的路徑,這是在磁碟上存儲文件的位置。",
"location_type": "位置類型",
"location_type_managed": "Spacedrive將為你分類文件。如果位置不是空的將創建一個“spacedrive”文件夾。",
@ -220,6 +244,8 @@
"lock": "鎖定",
"log_in_with_browser": "使用瀏覽器登入",
"log_out": "登出",
"logged_in_as": "已登入為{{email}}",
"logout": "登出",
"manage_library": "管理圖書館",
"managed": "已管理",
"media": "媒體",
@ -233,10 +259,19 @@
"more": "更多",
"more_actions": "更多操作...",
"more_info": "更多信息",
"move_back_within_quick_preview": "在快速預覽中向後移動",
"move_files": "移動文件",
"move_forward_within_quick_preview": "在快速預覽中向前移動",
"name": "名稱",
"navigate_back": "後退",
"navigate_backwards": "向後導覽",
"navigate_files_downwards": "向下導覽檔案",
"navigate_files_leftwards": "向左導覽檔案",
"navigate_files_rightwards": "向右導覽檔案",
"navigate_files_upwards": "向上導覽檔案",
"navigate_forward": "前進",
"navigate_forwards": "向前導覽",
"navigate_to_settings_page": "導覽至設定頁面",
"network": "網絡",
"network_page_description": "您局域網上的其他Spacedrive節點將顯示在這裡以及您預設的OS網絡掛載。",
"networking": "網絡",
@ -265,13 +300,19 @@
"open": "打開",
"open_file": "打開文件",
"open_new_location_once_added": "添加後打開新位置",
"open_new_tab": "開啟新分頁",
"open_object": "開啟物件",
"open_object_from_quick_preview_in_native_file_manager": "在快速預覽中以本機檔案管理器開啟物件",
"open_settings": "打開設置",
"open_with": "打開方式",
"or": "或者",
"overview": "概覽",
"page": "頁面",
"page_shortcut_description": "應用程式中的不同頁面",
"pair": "配對",
"pairing_with_node": "正在與{{node}}配對",
"paste": "貼上",
"paste_object": "貼上物件",
"path": "路徑",
"path_copied_to_clipboard_description": "位置{{location}}的路徑已復製到剪貼簿。",
"path_copied_to_clipboard_title": "路徑已複製到剪貼簿",
@ -283,6 +324,7 @@
"quick_preview": "快速預覽",
"quick_view": "快速查看",
"recent_jobs": "最近的工作",
"recents": "最近的文件",
"regen_labels": "重新生成標籤",
"regen_thumbnails": "重新生成縮略圖",
"regenerate_thumbs": "重新生成縮略圖",
@ -292,6 +334,7 @@
"remove": "移除",
"remove_from_recents": "從最近的文件中移除",
"rename": "重命名",
"rename_object": "重新命名物件",
"replica": "複寫",
"rescan_directory": "重新掃描目錄",
"rescan_location": "重新掃描位置",
@ -300,6 +343,7 @@
"restore": "恢復",
"resume": "恢復",
"retry": "重試",
"reveal_in_native_file_manager": "在本機檔案管理器中顯示",
"revel_in_browser": "在{{browser}}中顯示",
"running": "運行",
"save": "保存",
@ -327,12 +371,20 @@
"size": "大小",
"skip_login": "跳過登錄",
"sort_by": "排序依據",
"spacedrive_account": "Spacedrive 帳戶",
"spacedrive_cloud": "Spacedrive 雲端",
"spacedrive_cloud_description": "Spacedrive 始終以本地為先,但我們將來會提供自己的選擇性雲端服務。目前,身份驗證僅用於反饋功能,否則不需要。",
"spacedrop_a_file": "Spacedrop文件",
"square_thumbnails": "方形縮略圖",
"star_on_github": "在GitHub上給星",
"stop": "停止",
"success": "成功",
"support": "支持",
"switch_to_grid_view": "切換到網格視圖",
"switch_to_list_view": "切換到清單視圖",
"switch_to_media_view": "切換到媒體視圖",
"switch_to_next_tab": "切換到下一個分頁",
"switch_to_previous_tab": "切換到上一個分頁",
"sync": "同步",
"syncPreviewMedia_label": "將此位置的預覽媒體與您的設備同步",
"sync_description": "管理Spacedrive如何進行同步。",
@ -343,9 +395,17 @@
"telemetry_description": "切換到ON為開發者提供詳細的使用情況和遙測數據以增強應用程序。切換到OFF只發送基本數據您的活動狀態應用版本核心版本以及平台例如移動網絡或桌面。",
"telemetry_title": "分享額外的遙測和使用情況數據",
"temperature": "溫度",
"thank_you_for_your_feedback": "感謝您的回饋!",
"thumbnailer_cpu_usage": "縮略圖處理器使用情況",
"thumbnailer_cpu_usage_description": "限制縮略圖製作工具在後台處理時可以使用多少CPU。",
"toggle_all": "切換全部",
"toggle_hidden_files": "切換顯示隱藏檔案",
"toggle_image_slider_within_quick_preview": "切換快速預覽中的圖片滑塊",
"toggle_inspector": "切換檢查器",
"toggle_job_manager": "切換工作管理器",
"toggle_metadata": "切換元數據",
"toggle_path_bar": "切換顯示路徑列",
"toggle_quick_preview": "切換快速預覽",
"type": "類型",
"ui_animations": "UI動畫",
"ui_animations_description": "對話框和其它UI元素在打開和關閉時會有動畫效果。",
@ -359,10 +419,5 @@
"your_account": "您的帳戶",
"your_account_description": "Spacedrive帳戶和資訊。",
"your_local_network": "您的本地網路",
"your_privacy": "您的隱私",
"recents": "最近的文件",
"favorites": "收藏夾",
"labels": "標籤",
"language": "語言",
"language_description": "更改Spacedrive界面的語言"
"your_privacy": "您的隱私"
}