Sfoglia il codice sorgente

Removed old 1.4.x localizations

Sebastian Stenzel 5 anni fa
parent
commit
fa86ae68ea
33 ha cambiato i file con 0 aggiunte e 4068 eliminazioni
  1. 0 94
      main/ui/src/main/java/org/cryptomator/ui/l10n/Localization.java
  2. 0 126
      main/ui/src/main/resources/localization/ar.txt
  3. 0 128
      main/ui/src/main/resources/localization/bg.txt
  4. 0 128
      main/ui/src/main/resources/localization/ca.txt
  5. 0 130
      main/ui/src/main/resources/localization/cs.txt
  6. 0 127
      main/ui/src/main/resources/localization/da.txt
  7. 0 126
      main/ui/src/main/resources/localization/de.txt
  8. 0 147
      main/ui/src/main/resources/localization/en.txt
  9. 0 130
      main/ui/src/main/resources/localization/es.txt
  10. 0 131
      main/ui/src/main/resources/localization/fr.txt
  11. 0 128
      main/ui/src/main/resources/localization/fr_BE.txt
  12. 0 128
      main/ui/src/main/resources/localization/fr_CA.txt
  13. 0 127
      main/ui/src/main/resources/localization/hu.txt
  14. 0 128
      main/ui/src/main/resources/localization/in.txt
  15. 0 127
      main/ui/src/main/resources/localization/it.txt
  16. 0 128
      main/ui/src/main/resources/localization/ja.txt
  17. 0 128
      main/ui/src/main/resources/localization/ko.txt
  18. 0 129
      main/ui/src/main/resources/localization/lv.txt
  19. 0 130
      main/ui/src/main/resources/localization/nl.txt
  20. 0 128
      main/ui/src/main/resources/localization/pl.txt
  21. 0 128
      main/ui/src/main/resources/localization/pt.txt
  22. 0 128
      main/ui/src/main/resources/localization/pt_BR.txt
  23. 0 135
      main/ui/src/main/resources/localization/ru.txt
  24. 0 130
      main/ui/src/main/resources/localization/sk.txt
  25. 0 128
      main/ui/src/main/resources/localization/sv.txt
  26. 0 126
      main/ui/src/main/resources/localization/th.txt
  27. 0 128
      main/ui/src/main/resources/localization/tr.txt
  28. 0 128
      main/ui/src/main/resources/localization/uk.txt
  29. 0 129
      main/ui/src/main/resources/localization/zh.txt
  30. 0 127
      main/ui/src/main/resources/localization/zh_HK.txt
  31. 0 128
      main/ui/src/main/resources/localization/zh_TW.txt
  32. 0 10
      main/ui/src/test/java/org/cryptomator/ui/l10n/LocalizationMock.java
  33. 0 95
      main/ui/src/test/java/org/cryptomator/ui/l10n/LocalizationTest.java

+ 0 - 94
main/ui/src/main/java/org/cryptomator/ui/l10n/Localization.java

@@ -1,94 +0,0 @@
-/*******************************************************************************
- * Copyright (c) 2017 Skymatic UG (haftungsbeschränkt).
- * All rights reserved. This program and the accompanying materials
- * are made available under the terms of the accompanying LICENSE file.
- *******************************************************************************/
-package org.cryptomator.ui.l10n;
-
-import com.google.common.collect.Sets;
-import org.apache.commons.lang3.StringUtils;
-import org.cryptomator.ui.fxapp.FxApplicationScoped;
-import org.slf4j.Logger;
-import org.slf4j.LoggerFactory;
-
-import javax.inject.Inject;
-import java.io.IOException;
-import java.io.InputStream;
-import java.io.InputStreamReader;
-import java.io.Reader;
-import java.io.UncheckedIOException;
-import java.nio.charset.StandardCharsets;
-import java.util.Collection;
-import java.util.Collections;
-import java.util.Enumeration;
-import java.util.Locale;
-import java.util.Objects;
-import java.util.PropertyResourceBundle;
-import java.util.ResourceBundle;
-
-@FxApplicationScoped
-public class Localization extends ResourceBundle {
-
-	private static final Logger LOG = LoggerFactory.getLogger(Localization.class);
-
-	private static final String LOCALIZATION_DEFAULT_FILE = "/localization/en.txt";
-	private static final String LOCALIZATION_FILENAME_FMT = "/localization/%s.txt";
-
-	private final ResourceBundle fallback;
-	private final ResourceBundle localized;
-
-	@Inject
-	public Localization() {
-		try {
-			this.fallback = Objects.requireNonNull(loadLocalizationFile(LOCALIZATION_DEFAULT_FILE));
-			LOG.debug("Loaded localization default file: {}", LOCALIZATION_DEFAULT_FILE);
-
-			String language = Locale.getDefault().getLanguage();
-			String region = Locale.getDefault().getCountry();
-			LOG.debug("Detected language \"{}\" and region \"{}\"", language, region);
-
-			ResourceBundle localizationBundle = null;
-			if (StringUtils.isNotEmpty(language) && StringUtils.isNotEmpty(region)) {
-				String file = String.format(LOCALIZATION_FILENAME_FMT, language + "_" + region);
-				LOG.trace("Attempting to load localization from: {}", file);
-				localizationBundle = loadLocalizationFile(file);
-			}
-			if (StringUtils.isNotEmpty(language) && localizationBundle == null) {
-				String file = String.format(LOCALIZATION_FILENAME_FMT, language);
-				LOG.trace("Attempting to load localization from: {}", file);
-				localizationBundle = loadLocalizationFile(file);
-			}
-			if (localizationBundle == null) {
-				LOG.debug("No localization found. Falling back to default language.");
-				localizationBundle = this.fallback;
-			}
-			this.localized = Objects.requireNonNull(localizationBundle);
-		} catch (IOException e) {
-			throw new UncheckedIOException(e);
-		}
-	}
-
-	// returns null if no resource for given path
-	private static ResourceBundle loadLocalizationFile(String resourcePath) throws IOException {
-		try (InputStream in = Localization.class.getResourceAsStream(resourcePath)) {
-			if (in != null) {
-				Reader reader = new InputStreamReader(in, StandardCharsets.UTF_8);
-				return new PropertyResourceBundle(reader);
-			} else {
-				return null;
-			}
-		}
-	}
-
-	@Override
-	protected Object handleGetObject(String key) {
-		return localized.containsKey(key) ? localized.getObject(key) : fallback.getObject(key);
-	}
-
-	@Override
-	public Enumeration<String> getKeys() {
-		Collection<String> keys = Sets.union(localized.keySet(), fallback.keySet());
-		return Collections.enumeration(keys);
-	}
-
-}

+ 0 - 126
main/ui/src/main/resources/localization/ar.txt

@@ -1,126 +0,0 @@
-app.name = كريبتوماتور
-# main.fxml
-main.emptyListInstructions = اضغط هنا لاضافة محفظة
-main.directoryList.contextMenu.remove = ازل من القائمة
-main.directoryList.contextMenu.changePassword = تغيير كلمة المرور
-main.addDirectory.contextMenu.new = انشاء محفظة جديدة
-main.addDirectory.contextMenu.open = افتح محفظة موجوده
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = فحص التحديثات
-welcome.newVersionMessage = يمكنك الان تحميل الاصدار رقم %1$s\nالاصدار الحالي %2$s
-# initialize.fxml
-initialize.label.password = كلمة المرور
-initialize.label.retypePassword = اعد كتابة كلمة المرور
-initialize.button.ok = انشاء محفظة
-initialize.messageLabel.alreadyInitialized = لقد تم تهيئة المحفظة
-initialize.messageLabel.initializationFailed = تعذر تهيئة المحفظة . يرجي مراجعة ملف التفاصيل ( log file )
-# notfound.fxml
-notfound.label = تعذر العثور علي المحفظه , هل قمت بنقلها ؟
-# upgrade.fxml
-upgrade.button = ترقية المحفظة
-upgrade.version3dropBundleExtension.msg = This vault needs to be migrated to a newer format.\n"%1$s" will be renamed to "%2$s".\nPlease make sure synchronization has finished before proceeding.
-upgrade.version3dropBundleExtension.err.alreadyExists = Automatic migration failed.\n"%s" already exists.
-# unlock.fxml
-unlock.label.password = كلمة المرور
-unlock.label.mountName = Drive Name
-unlock.label.winDriveLetter = Custom Drive Letter
-unlock.label.downloadsPageLink = جميع اصدارات كريبتوماتور
-unlock.label.advancedHeading = خيارات اضافية
-unlock.button.unlock = افتح المحفظة
-unlock.button.advancedOptions.show = خيارات اكثر
-unlock.button.advancedOptions.hide = خيارات اقل
-unlock.choicebox.winDriveLetter.auto = دخول تلقائي
-unlock.errorMessage.wrongPassword = كلمة مرور خاطئة
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = محفظة غير مدعومة . هذه المحفظة تم انشاؤها بواسطة اصدار اقدم من كريبتوماتور
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = محفظة غير مدعومة . هذه المحفظة تم انشاؤها بواسطة اصدار احدث من كريبتوماتور
-# change_password.fxml
-changePassword.label.oldPassword = كلمة المرور القديمة
-changePassword.label.newPassword = كلمة المرور الجديدة
-changePassword.label.retypePassword = اعد كتابة كلمة المرور
-changePassword.label.downloadsPageLink = جميع اصدارات كريبتوماتور
-changePassword.button.change = تغيير كلمة المرور
-changePassword.errorMessage.wrongPassword = كلمة مرور خاطئة
-changePassword.errorMessage.decryptionFailed = فشل فك التشفير
-# unlocked.fxml
-unlocked.button.lock = اغلاق المحفظة
-unlocked.moreOptions.reveal = Reveal Drive
-unlocked.label.revealFailed = Command failed
-unlocked.label.unmountFailed = Ejecting drive failed
-unlocked.label.statsEncrypted = مشفر
-unlocked.label.statsDecrypted = غير مشفر
-unlocked.ioGraph.yAxis.label = Throughput (MiB/s)
-# settings.fxml
-settings.version.label = الاصدار %s 
-settings.checkForUpdates.label = افحص التحديثات
-# tray icon
-tray.menu.open = فتح
-tray.menu.quit = اغلاق
-tray.infoMsg.title = لا يزال مستخدم
-tray.infoMsg.msg = Cryptomator is still alive. Quit it from the tray icon.
-tray.infoMsg.msg.osx = Cryptomator is still alive. Quit it from the menu bar icon.
-initialize.messageLabel.passwordStrength.0 = ضعيف جدا
-initialize.messageLabel.passwordStrength.1 = ضعيف
-initialize.messageLabel.passwordStrength.2 = عادي
-initialize.messageLabel.passwordStrength.3 = قوي
-initialize.messageLabel.passwordStrength.4 = قوي جدا
-initialize.label.doNotForget = هام \: في حالة نسيانك لكلمة المرور , لا يوجد طريقة لاستعادتها مره اخري
-main.directoryList.remove.confirmation.title = ازالة المحفظة
-main.directoryList.remove.confirmation.header = هل تريد فعلا ازالة المحفظة ؟
-main.directoryList.remove.confirmation.content = The vault will only be removed from the list. To permanently delete it, please delete the vault from your filesystem.
-upgrade.version3to4.msg = This vault needs to be migrated to a newer format.\nEncrypted folder names will be updated.\nPlease make sure synchronization has finished before proceeding.
-upgrade.version3to4.err.io = Migration failed due to an I/O Exception. See log file for details.
-# upgrade.fxml
-upgrade.confirmation.label = Yes, I've made sure that synchronization has finished
-unlock.label.savePassword = حفظ كلمة المرور
-unlock.errorMessage.unauthenticVersionMac = Could not authenticate version MAC.
-unlock.savePassword.delete.confirmation.title = حذف كلمة المرور المحفوظة
-unlock.savePassword.delete.confirmation.header = Do you really want to delete the saved password of this vault?
-unlock.savePassword.delete.confirmation.content = The saved password of this vault will be immediately deleted from your system keychain. If you'd like to save your password again, you'd have to unlock your vault with the "Save Password" option enabled.
-settings.debugMode.label = Debug Mode
-upgrade.version3dropBundleExtension.title = Vault Version 3 Upgrade (Drop Bundle Extension)
-upgrade.version3to4.title = Vault Version 3 to 4 Upgrade
-upgrade.version4to5.title = Vault Version 4 to 5 Upgrade
-upgrade.version4to5.msg = This vault needs to be migrated to a newer format.\nEncrypted files will be updated.\nPlease make sure synchronization has finished before proceeding.\n\nNote\: Modification date of all files will be changed to the current date/time in the process.
-upgrade.version4to5.err.io = Migration failed due to an I/O Exception. See log file for details.
-unlock.label.revealAfterMount = Reveal Drive
-unlocked.lock.force.confirmation.title = Locking of %1$s failed
-unlocked.lock.force.confirmation.header = Do you want to force locking?
-unlocked.lock.force.confirmation.content = This may be because other programs are still accessing files in the vault or because some other problem occurred.\n\nPrograms still accessing the files may not work correctly and data not already written by those programs may be lost.
-unlock.label.unlockAfterStartup = Auto-Unlock on Start (Experimental)
-unlock.errorMessage.unlockFailed = Unlock failed. See log file for details.
-upgrade.version5toX.title = Vault Version Upgrade
-upgrade.version5toX.msg = This vault needs to be migrated to a newer format.\nPlease make sure synchronization has finished before proceeding.
-main.createVault.nonEmptyDir.title = Creating vault failed
-main.createVault.nonEmptyDir.header = Chosen directory is not empty
-main.createVault.nonEmptyDir.content = The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Choose automatically
-settings.webdav.port.apply = Apply
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Preferred Volume Type
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Vault was successfully created.
-unlock.successLabel.passwordChanged = Password was successfully changed.
-unlock.successLabel.upgraded = Vault was successfully upgraded.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/bg.txt

@@ -1,128 +0,0 @@
-app.name = Криптоматор
-# main.fxml
-main.emptyListInstructions = Натиснете тук за добавяне на сейф
-main.directoryList.contextMenu.remove = Премахване от листата
-main.directoryList.contextMenu.changePassword = Смяна на парола
-main.addDirectory.contextMenu.new = Създаване на нов сейф
-main.addDirectory.contextMenu.open = Отворяне на съществуващ сейф
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Проверка за обновления...
-welcome.newVersionMessage = Версия %1$s може да бъде свалена.\nТази е %2$s.
-# initialize.fxml
-initialize.label.password = Парола
-initialize.label.retypePassword = Повторете паролата
-initialize.button.ok = Създаване на сейф
-initialize.messageLabel.alreadyInitialized = Сейфа е вече активен
-initialize.messageLabel.initializationFailed = Неуспешно активиране на сейф. Проверете лог файловете за повече информация.
-# notfound.fxml
-notfound.label = Сейфа не може да бъде намерен. Може би е бил преместен?
-# upgrade.fxml
-upgrade.button = Обновете сейфа
-upgrade.version3dropBundleExtension.msg = Този сейф трябва да бъде променен към новия формат.\n"%1$s" ще бъде преименуван в "%2$s".\nМоля, уверете се, че синхронизацията е преключила преди да продължите.
-upgrade.version3dropBundleExtension.err.alreadyExists = Автоматичната промяна е неуспешна. "%s" вече съществува.
-# unlock.fxml
-unlock.label.password = Парола
-unlock.label.mountName = Име на диск
-# Fuzzy
-unlock.label.winDriveLetter = Инициали на диск
-unlock.label.downloadsPageLink = Всички версии на Криптоматор
-unlock.label.advancedHeading = Опции за напреднали
-unlock.button.unlock = Отключване на сейф
-unlock.button.advancedOptions.show = Повече опции
-unlock.button.advancedOptions.hide = По-малко опции
-unlock.choicebox.winDriveLetter.auto = Автоматично наименование на диска
-unlock.errorMessage.wrongPassword = Неправилна парола
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Неподържана версия. Този сейф е бил създаден със стара версия на Криптоматор.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Неподържана версия. Този сейф е бил създаден с по-нова версия на Криптоматор.
-# change_password.fxml
-changePassword.label.oldPassword = Стара парола
-changePassword.label.newPassword = Нова парола
-changePassword.label.retypePassword = Повторете паролата
-changePassword.label.downloadsPageLink = Всички версии на Криптоматор
-changePassword.button.change = Смени паролата
-changePassword.errorMessage.wrongPassword = Неправилна парола
-changePassword.errorMessage.decryptionFailed = Неуспешно декриптиране
-# unlocked.fxml
-unlocked.button.lock = Заключване на Сейфа
-unlocked.moreOptions.reveal = Покажи диска
-unlocked.label.revealFailed = Командата е неуспешна
-unlocked.label.unmountFailed = Изваждането на диска е неуспешно
-unlocked.label.statsEncrypted = криптирано
-unlocked.label.statsDecrypted = декрептирано
-unlocked.ioGraph.yAxis.label = Скорост (MB/s)
-# settings.fxml
-settings.version.label = Версия %s
-settings.checkForUpdates.label = Проверка за обновления
-# tray icon
-tray.menu.open = Отворяне
-tray.menu.quit = Изход
-tray.infoMsg.title = Все още върви
-tray.infoMsg.msg = Криптоматор все още върви. Излезте от иконата в трея.
-tray.infoMsg.msg.osx = Криптоматор все още върви. Излезте от иконата в менюто.
-initialize.messageLabel.passwordStrength.0 = Прекалено слаба
-initialize.messageLabel.passwordStrength.1 = Слаба
-initialize.messageLabel.passwordStrength.2 = Добра
-initialize.messageLabel.passwordStrength.3 = Силна
-initialize.messageLabel.passwordStrength.4 = Много силна
-initialize.label.doNotForget = ВАЖНО\: Ако забравите паролата, няма начин да възстановите данните.
-main.directoryList.remove.confirmation.title = Премахване на сейф
-main.directoryList.remove.confirmation.header = Наистина ли искате да премахнете този сейф?
-main.directoryList.remove.confirmation.content = Този сейф ще бъде премахнат само от листа. За да го изтриете напълно, моля, изтрийте сейфа от файл системата.
-upgrade.version3to4.msg = Този сейф трябва да бъде преместен към по-нов формат.\nКриптираните имена на папки ще бъдат обновени.\nМоля, проверете дали сихронизацията е приключила преди да продължите.
-upgrade.version3to4.err.io = Преместването е отменено поради грешка в диска. Вижте лог файла за детайли.
-# upgrade.fxml
-upgrade.confirmation.label = Да, сигурен съм, че сихронизацията е приключила
-unlock.label.savePassword = Запазване на парола
-unlock.errorMessage.unauthenticVersionMac = Неуспешна оторизация на MAC версията
-unlock.savePassword.delete.confirmation.title = Изтриване на запазената парола
-unlock.savePassword.delete.confirmation.header = Неистина ли искате да изтриете запазената парола за този сейф?
-unlock.savePassword.delete.confirmation.content = Запазената парола за този сейф ще бъде незабавно премахната от Вашата система. Ако желаете да запазите паролата отново, трябва да отключите сейса с пусната опция "Запазване на павола".
-settings.debugMode.label = Режим за отстраняване на грешки
-upgrade.version3dropBundleExtension.title = Обновяване до сейф версия 3
-upgrade.version3to4.title = Обновяване на сейф от 3-та до 4-та версия
-upgrade.version4to5.title = Обновяване на сейф от 4-та до 5-та версия
-upgrade.version4to5.msg = Този сейф трябва да бъде променен към по-нов формат.\nКриптираните файлове ще бъдат обновени.\nМоля, проверете дали сихронизацията е приключила преди да продължите.\n\nЗабележка\: Датата на промяна на всички файлове ще бъде обновена до момента.
-upgrade.version4to5.err.io = Преместването провалено поради грешка в диска. Вижте лог файла за детайли.
-unlock.label.revealAfterMount = Показване на диска
-unlocked.lock.force.confirmation.title = Заключването на %1$s провалено
-unlocked.lock.force.confirmation.header = Желаете ли принудително заключване?
-unlocked.lock.force.confirmation.content = Това е може би защото други програми все още използват файловете в сейфа или защото има някакъв друг проблем.\n\nПрограмите, имащи достъп до файловете, може да не работят правилно и информацията, незаписана от тези програми, може да бъде изгубена.
-unlock.label.unlockAfterStartup = Автоматично отключване при стартиране (Експериментално)
-unlock.errorMessage.unlockFailed = Грешка при отключване. Вижте лог файла за детайли.
-upgrade.version5toX.title = Обновяване на версията на сейфа
-upgrade.version5toX.msg = Този сейф трябва да бъде обновен до по-нов формат.\nМоля, уверете се, че сихронизацията е приключила, преди да продължите.
-main.createVault.nonEmptyDir.title = Неуспешно създаване на сейф
-main.createVault.nonEmptyDir.header = Избраната директория не е празна
-main.createVault.nonEmptyDir.content = Избраната директория съдържа файлове /може би скрити/. Сейфът може да бъде създаден само в празна директория
-settings.webdav.port.label = WebCAM порт
-settings.webdav.port.prompt = 0 \= Автоматично избиране
-settings.webdav.port.apply = Приложи
-settings.webdav.prefGvfsScheme.label = WebDAV схема
-settings.volume.label = Метод за точка
-settings.volume.webdav = WebDAV
-settings.volume.fuse = Предпазител
-unlock.successLabel.vaultCreated = Сейфът беше създаден успешно
-unlock.successLabel.passwordChanged = Паролата беше сменена успешно
-unlock.successLabel.upgraded = Криптоматор беше обновен
-# Fuzzy
-unlock.label.useOwnMountPath = Използвайте собствена точка за монтиране
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/ca.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Feu click ací per afegir una caixa forta
-main.directoryList.contextMenu.remove = Elimina de la llista
-main.directoryList.contextMenu.changePassword = Canvia la contrasenya
-main.addDirectory.contextMenu.new = Crea una caixa forta nova
-main.addDirectory.contextMenu.open = Obri una caixa forta existent
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Comprovant actualitzacions
-welcome.newVersionMessage = La versió %1$s és disponible per descarregar.\nLa versió actual és %2$s.
-# initialize.fxml
-initialize.label.password = Contrasenya
-initialize.label.retypePassword = Torneu a escriure la contrasenya
-initialize.button.ok = Crea una caixa forta
-initialize.messageLabel.alreadyInitialized = La caixa forta ja està inicialitzada
-initialize.messageLabel.initializationFailed = No s'ha pogut inicialitzar la caixa forta. Consulteu l'arxiu de registre per a més informació.
-# notfound.fxml
-notfound.label = No s'ha trobat la caixa forta. S'ha mogut a altre lloc?
-# upgrade.fxml
-upgrade.button = Actualitza la caixa forta
-upgrade.version3dropBundleExtension.msg = Esta caixa forta es deu actualitzar a un format més modern.\nEs va a canviar el nom de "%1$s" a "%2$s".\nAssegureu-vos de que la sincronització ha acabat abans d'iniciar el procés.
-upgrade.version3dropBundleExtension.err.alreadyExists = Error en la migració automàtica.\n"%s" ja existeix.
-# unlock.fxml
-unlock.label.password = Contrasenya
-unlock.label.mountName = Nom de la unitat
-# Fuzzy
-unlock.label.winDriveLetter = Lletra de la unitat
-unlock.label.downloadsPageLink = Totes les versions de Cryptomator
-unlock.label.advancedHeading = Opcions avançades
-unlock.button.unlock = Debloqueja la caixa forta
-unlock.button.advancedOptions.show = Més opcions
-unlock.button.advancedOptions.hide = Menys opcions
-unlock.choicebox.winDriveLetter.auto = Assigna automàticament
-unlock.errorMessage.wrongPassword = Contrasenya incorrecta
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = La caixa forta no és compatible. Aquesta caixa forta s'ha creat amb una versió anterior de Cryptomator.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = La caixa forta no és compatible. Aquesta caixa forta s'ha creat amb una versió més nova de Cryptomator.
-# change_password.fxml
-changePassword.label.oldPassword = Contrasenya antiga
-changePassword.label.newPassword = Contrasenya nova
-changePassword.label.retypePassword = Torneu a escriure la contrasenya
-changePassword.label.downloadsPageLink = Totes les versions de Cryptomator
-changePassword.button.change = Canvia la contrasenya
-changePassword.errorMessage.wrongPassword = Contrasenya incorrecta
-changePassword.errorMessage.decryptionFailed = Ha fallat el desencriptatge
-# unlocked.fxml
-unlocked.button.lock = Bloqueja la caixa forta
-unlocked.moreOptions.reveal = Mostra la unitat
-unlocked.label.revealFailed = L'ordre ha fallat
-unlocked.label.unmountFailed = Error al expulsar la unidad
-unlocked.label.statsEncrypted = xifrat
-unlocked.label.statsDecrypted = desxifrat
-unlocked.ioGraph.yAxis.label = Velocitat de transferència de dades (MiB/s)
-# settings.fxml
-settings.version.label = Versió %s
-settings.checkForUpdates.label = Comprova si hi ha actualitzacions
-# tray icon
-tray.menu.open = Obri
-tray.menu.quit = Surt
-tray.infoMsg.title = Encara s'està executant
-tray.infoMsg.msg = Cryptomator encara està executant-se. Sortiu des de la icona de la safata.
-tray.infoMsg.msg.osx = Cryptomator encara està executant-se. Sortiu des de la icona de la barra de menú
-initialize.messageLabel.passwordStrength.0 = Molt dèbil
-initialize.messageLabel.passwordStrength.1 = Dèbil
-initialize.messageLabel.passwordStrength.2 = Acceptable
-initialize.messageLabel.passwordStrength.3 = Forta
-initialize.messageLabel.passwordStrength.4 = Molt forta
-initialize.label.doNotForget = IMPORTANT\: No hi ha manera de recuperar les dades si oblideu la contrasenya.
-main.directoryList.remove.confirmation.title = Suprimeix la caixa forta
-main.directoryList.remove.confirmation.header = ¿Esteu segur que voleu suprimir aquesta caixa forta?
-main.directoryList.remove.confirmation.content = La caixa forta només es suprimeix de la llista. Per tal de eliminar-la permanentment esborreu la caixa forta del vostre sistema de fitxers.
-upgrade.version3to4.msg = S'ha de migrar la caixa forta a un format més nou.\nS'actualitzaran els noms xifrats de les carpetes.\nAssegureu-vos que la sincronització ha acabat abans de continuar.
-upgrade.version3to4.err.io = Error en la migració degut a una excepció de E/S. Comproveu el registre per veure'n els detalls.\n
-# upgrade.fxml
-upgrade.confirmation.label = Sí, m'he assegurat que la sincronització hagi acabat
-unlock.label.savePassword = Desa la contrasenya
-unlock.errorMessage.unauthenticVersionMac = No s'ha pogut autenticar la versió de MAC.
-unlock.savePassword.delete.confirmation.title = Elimina la contrasenya desada
-unlock.savePassword.delete.confirmation.header = Esteu segur que voleu eliminar la contrasenya desada d'aquesta unitat?
-unlock.savePassword.delete.confirmation.content = La contrasenya desada d'aquesta caixa forta va a ser eliminada inmediatament del clauer del seu sistema. Si voleu tornar a desar la contrasenya haureu de tornar a desbloquejar la vostra caixa forta i activar l'opció "Desa la contrasenya".
-settings.debugMode.label = Mode de depuració
-upgrade.version3dropBundleExtension.title = Actualitza la caixa forta a la versió 3 (Drop Bundle Extension)
-upgrade.version3to4.title = Actualitza la caixa forta de la versió 3 a la 4
-upgrade.version4to5.title = Actualitza la caixa forta de la versió 4 a la 5
-upgrade.version4to5.msg = S'ha de migrar la caixa forta a un format més nou.\nS'actualitzaran els fitxers xifrats.\nAssegureu-vos que la sincronització ha acabat abans de continuar.\n\nNota\: la data de modificació de tots els fitxers es canviarà a la data/hora del procés.
-upgrade.version4to5.err.io = La migració ha fallat a causa d'una excepció d'E/S. Comproveu el registre per veure'n els detalls.
-unlock.label.revealAfterMount = Mostra la unitat
-unlocked.lock.force.confirmation.title = Ha fallat el bloqueig de %1$s
-unlocked.lock.force.confirmation.header = Voleu forçar el bloqueig?
-unlocked.lock.force.confirmation.content = Això pot ser perquè altres programes encara estan accedint als fitxers de la caixa forta o perquè s'ha produït un altre problema.\n\nEls programes què encara estan accedint als fitxers poden funcionar incorrectament i les dades què aquests programes no hagin escrit es poden perdre.
-unlock.label.unlockAfterStartup = Desbloqueig automàtic al iniciar (experimental)
-unlock.errorMessage.unlockFailed = Ha fallat el desbloqueig. Comproveu el registre per veure'n els detalls.
-upgrade.version5toX.title = Actualització de la versió de la caixa forta
-upgrade.version5toX.msg = S'ha de migrar la caixa forta a un format més nou.\nAssegureu-vos que la sincronització ha acabat abans de continuar.
-main.createVault.nonEmptyDir.title = Ha fallat la creació de la caixa forta
-main.createVault.nonEmptyDir.header = El directori seleccionat no és buit
-main.createVault.nonEmptyDir.content = Hi ha fitxers (possibement ocults) al directori seleccionat. Només es pot crear una caixa forta a un directori buit.
-settings.webdav.port.label = Port WebDAV
-settings.webdav.port.prompt = 0 \= Tria automàticament
-settings.webdav.port.apply = Aplica
-settings.webdav.prefGvfsScheme.label = Esquema de WebDAV
-settings.volume.label = Tipus de volum preferit
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = La caixa forta s'ha creat correctament.
-unlock.successLabel.passwordChanged = La contrasenya s'ha canviat correctament.
-unlock.successLabel.upgraded = Cryptomator s'ha actualitzat correctament.
-# Fuzzy
-unlock.label.useOwnMountPath = Utilitza un punt de muntatge personalitzat
-welcome.askForUpdateCheck.dialog.title = Comprovació d'actualizacions
-welcome.askForUpdateCheck.dialog.header = Activo la comprovació automàtica d'actualitzacions?
-welcome.askForUpdateCheck.dialog.content = Recomanat\: Activa la comprovació d'actualitzacions per assegurar-vos que sempre teniu la darrera versió de Cryptomator instal·lada amb totes les actualitzacions de seguretat.\n\nPodeu canviar aquesta opció des de la configuració en qualsevol moment.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Ha fallat el bloqueig de la caixa(es) forta(es)
-main.gracefulShutdown.dialog.header = La caixa(es) forta(es) és(són) en ús
-main.gracefulShutdown.dialog.content = Hi ha programes encara estan utilitzant una caixa forta o més d'una. Tanqueu-los per permetre que Cryptomator es tanqui correctament i, a continuació, torneu-ho a intentar.\n\nSi això no funciona, es pot forçar l'aturada de Cryptomator tot i que no es recomana, donç pot comportar pèrdua de dades.
-main.gracefulShutdown.button.tryAgain = Torna-ho a intentar
-main.gracefulShutdown.button.forceShutdown = Força l'aturada
-unlock.pendingMessage.unlocking = La caixa forta s'està desbloquejant...
-unlock.failedDialog.title = El desbloqueig ha fallat
-unlock.failedDialog.header = El desbloqueig ha fallat
-unlock.failedDialog.content.mountPathNonExisting = El punt de muntatge no existeix.
-unlock.failedDialog.content.mountPathNotEmpty = El punt de muntatge no és buit
-unlock.label.useReadOnlyMode = Només de lectura
-unlock.label.chooseMountPath = Trieu un directori buit...
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

File diff suppressed because it is too large
+ 0 - 130
main/ui/src/main/resources/localization/cs.txt


+ 0 - 127
main/ui/src/main/resources/localization/da.txt

@@ -1,127 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Tryk her for at tilføje en ny Vault
-main.directoryList.contextMenu.remove = Fjern fra listen
-main.directoryList.contextMenu.changePassword = Skift adgangskode
-main.addDirectory.contextMenu.new = Opret ny Vault
-main.addDirectory.contextMenu.open = Åben en eksisterende Vault
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Tjek for opdateringer
-welcome.newVersionMessage = Version %1$s kan nu hentes.\nDette er %2$s.
-# initialize.fxml
-initialize.label.password = Adgangskode
-initialize.label.retypePassword = Gentag Adgangskode
-initialize.button.ok = Opret Vault
-initialize.messageLabel.alreadyInitialized = Vault er allerede initialiseret
-initialize.messageLabel.initializationFailed = Kunne ikke initialisere Vault. Se logfilen for yderligere detaljer.
-# notfound.fxml
-notfound.label = Vault'en kunne ikke findes. Er den blevet flyttet?
-# upgrade.fxml
-upgrade.button = Opgradér Vault
-upgrade.version3dropBundleExtension.msg = Denne Vault skal migreres til et nyere format.\n"%1$s" vil blive omdøbt til "%2$s".\nVent venligst til al synkronisering er gennemført, inden du fortsætter.
-upgrade.version3dropBundleExtension.err.alreadyExists = Automatisk migrering fejlede.\n"%s" eksisterer allerede.
-# unlock.fxml
-unlock.label.password = Adgangskode
-unlock.label.mountName = Drev navn
-# Fuzzy
-unlock.label.winDriveLetter = Drev bogstav
-unlock.label.downloadsPageLink = Alle Cryptomator versioner
-unlock.label.advancedHeading = Avancerede Indstillinger
-unlock.button.unlock = Lås op for Vault
-unlock.button.advancedOptions.show = Flere valgmuligheder
-unlock.button.advancedOptions.hide = Færre valgmuligheder
-unlock.choicebox.winDriveLetter.auto = Tildel automatisk
-unlock.errorMessage.wrongPassword = Forkert adgangskode
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Ikke-understøttet Vault. Denne Vault er blevet oprettet med en ældre version af Cryptomator.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Ikke-understøttet Vault. Denne Vault er blevet oprettet med en nyere version af Cryptomator.
-# change_password.fxml
-changePassword.label.oldPassword = Gammel adgangskode
-changePassword.label.newPassword = Ny adgangskode
-changePassword.label.retypePassword = Gentag adgangskode
-changePassword.label.downloadsPageLink = Alle Cryptomator versioner
-changePassword.button.change = Skift adgangskode
-changePassword.errorMessage.wrongPassword = Forkert adgangskode
-changePassword.errorMessage.decryptionFailed = Dekryptering fejlede
-# unlocked.fxml
-unlocked.button.lock = Lås Vault
-unlocked.moreOptions.reveal = Vis drev
-unlocked.label.revealFailed = Kommando fejlede
-unlocked.label.unmountFailed = Afmontering af drev fejlede
-unlocked.label.statsEncrypted = Krypteret
-unlocked.label.statsDecrypted = Dekrypteret
-unlocked.ioGraph.yAxis.label = Throughput (MiB/s)
-# settings.fxml
-settings.version.label = Version %s
-settings.checkForUpdates.label = Tjek for opdateringer
-# tray icon
-tray.menu.open = Åbn
-tray.menu.quit = Afslut
-tray.infoMsg.title = Kører Stadig
-tray.infoMsg.msg = Cryptomator kører stadig. Afslut programmet fra tray-ikonet.
-tray.infoMsg.msg.osx = Cryptomator kører stadig. Afslut programmet fra menu-baren.
-initialize.messageLabel.passwordStrength.0 = Meget svag
-initialize.messageLabel.passwordStrength.1 = Svag
-initialize.messageLabel.passwordStrength.2 = Mellem
-initialize.messageLabel.passwordStrength.3 = Stærk
-initialize.messageLabel.passwordStrength.4 = Meget stærk
-initialize.label.doNotForget = VIGTIGT\: Hvis du glemmer dit password, er der ingen måde hvorpå data kan genskabes.
-main.directoryList.remove.confirmation.title = Slet Vault
-main.directoryList.remove.confirmation.header = Er du sikker på at du vil slette denne Vault?
-main.directoryList.remove.confirmation.content = Valgte Vault vil kun blive slettet fra listen. For at slette denne permanent, skal du slette filerne fra dit filsystem.
-upgrade.version3to4.msg = Denne Vault skal migreres til et nyere format.\nDe krypterede foldernavne vil blive opdateret.\nVent venligst til al synkronisering er gennemført, inden du fortsætter.
-upgrade.version3to4.err.io = Migrering fejlede pga. en I/O fejl. Se logfilen for yderligere detaljer.
-# upgrade.fxml
-upgrade.confirmation.label = Ja, jeg har sikret mig at al synkronisering er gennemført.
-unlock.label.savePassword = Gem adgangskode
-unlock.errorMessage.unauthenticVersionMac = Kunne ikke autentificere versions-MAC
-unlock.savePassword.delete.confirmation.title = Slet gemt adgangskode
-unlock.savePassword.delete.confirmation.header = Er du sikker på at du vil slette den til Vault'en gemte adgangskode?
-unlock.savePassword.delete.confirmation.content = Den til Vault'en gemte adgangskode vil blive slettet fra dit systems keychain med øjeblikkelig virkning. Hvis du vil gemme din adgangskode på ny, skal du låse din Vault op med indstillingen "Gem adgangskode" slået til.
-settings.debugMode.label = Debug Tilstand
-upgrade.version3dropBundleExtension.title = Vault Version 3 Opgradering (Drop Bundle Extension)
-upgrade.version3to4.title = Vault Version 3 til 4 Opgradering
-upgrade.version4to5.title = Vault Version 4 til 5 Opgradering
-upgrade.version4to5.msg = Denne Vault skal migreres til et nyere format.\nDe krypterede filer vil blive opdateret.\nVent venligst til al synkronisering er gennemført, inden du fortsætter.\n\nNote\: Denne proces vil påvirke ændringsdato og -tidspunkt for samtlige filer.
-upgrade.version4to5.err.io = Migrering fejlede pga. en I/O fejl. Se logfilen for yderligere detaljer.
-unlock.label.revealAfterMount = Vis drev
-unlocked.lock.force.confirmation.title = Locking of %1$s failed
-unlocked.lock.force.confirmation.header = Do you want to force locking?
-unlocked.lock.force.confirmation.content = This may be because other programs are still accessing files in the vault or because some other problem occurred.\n\nPrograms still accessing the files may not work correctly and data not already written by those programs may be lost.
-unlock.label.unlockAfterStartup = Auto-Unlock on Start (Experimental)
-unlock.errorMessage.unlockFailed = Unlock failed. See log file for details.
-upgrade.version5toX.title = Vault Version Upgrade
-upgrade.version5toX.msg = This vault needs to be migrated to a newer format.\nPlease make sure synchronization has finished before proceeding.
-main.createVault.nonEmptyDir.title = Creating vault failed
-main.createVault.nonEmptyDir.header = Chosen directory is not empty
-main.createVault.nonEmptyDir.content = The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Choose automatically
-settings.webdav.port.apply = Apply
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Preferred Volume Type
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Vault was successfully created.
-unlock.successLabel.passwordChanged = Password was successfully changed.
-unlock.successLabel.upgraded = Vault was successfully upgraded.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 126
main/ui/src/main/resources/localization/de.txt

@@ -1,126 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Klicken Sie hier, um neue Tresore hinzuzufügen
-main.directoryList.contextMenu.remove = Aus Liste entfernen
-main.directoryList.contextMenu.changePassword = Passwort ändern
-main.addDirectory.contextMenu.new = Tresor erstellen
-main.addDirectory.contextMenu.open = Tresor öffnen
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Prüfe auf Updates...
-welcome.newVersionMessage = Version %1$s kann heruntergeladen werden.\nInstallierte Version %2$s.
-# initialize.fxml
-initialize.label.password = Passwort
-initialize.label.retypePassword = Passwort bestätigen
-initialize.button.ok = Tresor erstellen
-initialize.messageLabel.alreadyInitialized = Tresor bereits vorhanden
-initialize.messageLabel.initializationFailed = Fehler beim Initialisieren. Details in der Log-Datei.
-# notfound.fxml
-notfound.label = Tresor konnte nicht gefunden werden.\nWurde er verschoben?
-# upgrade.fxml
-upgrade.button = Tresor aktualisieren
-upgrade.version3dropBundleExtension.msg = Dieser Tresor muss auf ein neueres Format aktualisiert werden.\n"%1$s" wird in "%2$s" umbenannt.\nStellen Sie bitte sicher, dass derzeit keine Synchronisation stattfindet.
-upgrade.version3dropBundleExtension.err.alreadyExists = Migration fehlgeschlagen.\n"%s" existiert bereits.
-# unlock.fxml
-unlock.label.password = Passwort
-unlock.label.mountName = Laufwerksname
-unlock.label.winDriveLetter = Eigener Laufwerksbuchstabe
-unlock.label.downloadsPageLink = Alle Cryptomator Versionen
-unlock.label.advancedHeading = Erweiterte Optionen
-unlock.button.unlock = Tresor entsperren
-unlock.button.advancedOptions.show = Weitere Optionen
-unlock.button.advancedOptions.hide = Weniger Optionen
-unlock.choicebox.winDriveLetter.auto = Automatisch ermitteln
-unlock.errorMessage.wrongPassword = Falsches Passwort
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Tresor nicht unterstützt. Der Tresor wurde mit einer älteren Version von Cryptomator erstellt.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Tresor nicht unterstützt. Der Tresor wurde mit einer neueren Version von Cryptomator erstellt.
-# change_password.fxml
-changePassword.label.oldPassword = Altes Passwort
-changePassword.label.newPassword = Neues Passwort
-changePassword.label.retypePassword = Passwort bestätigen
-changePassword.label.downloadsPageLink = Alle Cryptomator Versionen
-changePassword.button.change = Passwort ändern
-changePassword.errorMessage.wrongPassword = Falsches Passwort
-changePassword.errorMessage.decryptionFailed = Entschlüsselung fehlgeschlagen
-# unlocked.fxml
-unlocked.button.lock = Tresor sperren
-unlocked.moreOptions.reveal = Laufwerk anzeigen
-unlocked.label.revealFailed = Befehl fehlgeschlagen
-unlocked.label.unmountFailed = Trennen des Laufwerks fehlgeschlagen
-unlocked.label.statsEncrypted = verschlüsselt
-unlocked.label.statsDecrypted = entschlüsselt
-unlocked.ioGraph.yAxis.label = Durchsatz (MiB/s)
-# settings.fxml
-settings.version.label = Version %s
-settings.checkForUpdates.label = Auf Updates prüfen
-# tray icon
-tray.menu.open = Öffnen
-tray.menu.quit = Beenden
-tray.infoMsg.title = Cryptomator läuft noch
-tray.infoMsg.msg = Cryptomator läuft noch. Mit dem Tray-Icon beenden.
-tray.infoMsg.msg.osx = Cryptomator läuft noch. Über die Menüleiste beenden.
-initialize.messageLabel.passwordStrength.0 = Sehr schwach
-initialize.messageLabel.passwordStrength.1 = Schwach
-initialize.messageLabel.passwordStrength.2 = Mittel
-initialize.messageLabel.passwordStrength.3 = Stark
-initialize.messageLabel.passwordStrength.4 = Sehr stark
-initialize.label.doNotForget = WICHTIG\: Falls Sie Ihr Passwort vergessen, gibt es keine Möglichkeit Ihre Daten wiederherzustellen.
-main.directoryList.remove.confirmation.title = Tresor entfernen
-main.directoryList.remove.confirmation.header = Möchten Sie diesen Tresor wirklich entfernen?
-main.directoryList.remove.confirmation.content = Dieser Tresor wird nur aus der Liste entfernt. Um den Tresor unwiderruflich zu löschen, entfernen Sie bitte den Tresor aus Ihrem Dateisystem.
-upgrade.version3to4.msg = Dieser Tresor muss auf ein neueres Format aktualisiert werden.\nVerschlüsselte Ordnernamen werden dabei aktualisiert.\nStellen Sie bitte sicher, dass derzeit keine Synchronisation stattfindet.
-upgrade.version3to4.err.io = Migration aufgrund eines I/O-Fehlers fehlgeschlagen.\nWeitere Informationen in der Log-Datei.
-# upgrade.fxml
-upgrade.confirmation.label = Ja, die Synchronisation ist abgeschlossen
-unlock.label.savePassword = Passwort speichern
-unlock.errorMessage.unauthenticVersionMac = Versions-MAC konnte nicht authentifiziert werden.
-unlock.savePassword.delete.confirmation.title = Gespeichertes Passwort löschen
-unlock.savePassword.delete.confirmation.header = Möchten Sie das gespeicherte Passwort von diesem Tresor wirklich löschen?
-unlock.savePassword.delete.confirmation.content = Das gespeicherte Passwort von diesem Tresor wird sofort aus Ihrem System-Schlüsselbund gelöscht. Falls Sie das Passwort erneut speichern möchten, müssen Sie den Tresor entsperren und dabei die "Passwort speichern"-Option aktiviert haben.
-settings.debugMode.label = Debug-Modus
-upgrade.version3dropBundleExtension.title = Upgrade Tresor-Version 3 (Entfall der Bundle-Extension)
-upgrade.version3to4.title = Upgrade Tresor-Version 3 zu 4
-upgrade.version4to5.title = Upgrade Tresor-Version 4 zu 5
-upgrade.version4to5.msg = Dieser Tresor muss auf ein neueres Format aktualisiert werden.\nVerschlüsselte Dateien werden dabei aktualisiert.\nStellen Sie sicher, dass keine Synchronisation stattfindet, bevor Sie fortfahren.\n\nHinweis\: Beim Upgrade wird das Änderungsdatum aller Dateien auf das aktuelle Datum geändert.
-upgrade.version4to5.err.io = Migration aufgrund eines I/O-Fehlers fehlgeschlagen.\nWeitere Informationen in der Log-Datei.
-unlock.label.revealAfterMount = Laufwerk anzeigen
-unlocked.lock.force.confirmation.title = Sperren von %1$s fehlgeschlagen
-unlocked.lock.force.confirmation.header = Möchten Sie das Sperren erzwingen?
-unlocked.lock.force.confirmation.content = Dies kann passieren, wenn andere Programme weiterhin auf Dateien im Tresor zugreifen. Oder es ist ein anderes Problem aufgetreten.\n\nProgramme, die weiterhin auf die Dateien zugreifen, könnten nicht mehr richtig funktionieren, oder Daten, die durch diese Programme noch nicht geschrieben wurden, könnten verloren gehen.
-unlock.label.unlockAfterStartup = Automatisch entsperren beim Start (Experimentell)
-unlock.errorMessage.unlockFailed = Entsperren fehlgeschlagen. Siehe Log-Datei für Details.
-upgrade.version5toX.title = Upgrade Tresor-Version 5 zu X
-upgrade.version5toX.msg = Dieser Tresor muss auf ein neueres Format aktualisiert werden.\nStellen Sie sicher, dass keine Synchronisation stattfindet, bevor Sie fortfahren.
-main.createVault.nonEmptyDir.title = Erstellung des Tresors fehlgeschlagen
-main.createVault.nonEmptyDir.header = Ausgewählter Ordner ist nicht leer
-main.createVault.nonEmptyDir.content = Der ausgewählte Ordner enthält bereits Dateien (möglicherweise unsichtbar). Ein Tresor kann nur innerhalb eines leeren Ordners erstellt werden.
-settings.webdav.port.label = WebDAV-Port
-settings.webdav.port.prompt = 0 \= automatische Auswahl
-settings.webdav.port.apply = Anwenden
-settings.webdav.prefGvfsScheme.label = WebDAV URL Schema
-settings.volume.label = Laufwerkseinbindung
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Der Tresor wurde erfolgreich erstellt.
-unlock.successLabel.passwordChanged = Das Passwort wurde erfolgreich geändert.
-unlock.successLabel.upgraded = Der Tresor wurde erfolgreich aktualisiert.
-unlock.label.useOwnMountPath = Eigenes Laufwerksverzeichnis
-welcome.askForUpdateCheck.dialog.title = Auf Updates prüfen
-welcome.askForUpdateCheck.dialog.header = Eingebaute Update-Prüfung aktivieren?
-welcome.askForUpdateCheck.dialog.content = Empfehlung\: Aktivieren Sie die Update-Prüfung, um sicherzustellen, dass Sie stets die neueste Cryptomator-Version mit allen Sicherheits-Patches verwenden.\n\nDiese Einstellung können Sie jederzeit im Einstellungs-Menü ändern.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Sperren des Tresors gescheitert
-main.gracefulShutdown.dialog.header = Tresor in Gebrauch
-main.gracefulShutdown.dialog.content = Ein oder mehrere Tresore werden noch von anderen Programmen genutzt. Bitte schliessen Sie die Programme um es Cryptomator zu ermöglichen richtig herunter zu fahren. Versuchen Sie es danach erneut.\n\nFalls dies nicht klappt, kann Cryptomator das Beenden erzwingen. Dies kann zu einem Datenverlust führen und ist nicht empfohlen.
-main.gracefulShutdown.button.tryAgain = Versuchen Sie es erneut
-main.gracefulShutdown.button.forceShutdown = Herunterfahren erzwingen
-unlock.pendingMessage.unlocking = Entsperre Tresor...
-unlock.failedDialog.title = Entsperren fehlgeschlagen
-unlock.failedDialog.header = Entsperren fehlgeschlagen
-unlock.failedDialog.content.mountPathNonExisting = Laufwerksverzeichnis existiert nicht.
-unlock.failedDialog.content.mountPathNotEmpty = Laufwerksverzeichnis ist nicht leer.
-unlock.label.useReadOnlyMode = Nur lesend
-unlock.label.chooseMountPath = Leeren Ordner auswählen…
-ctrl.secPasswordField.nonPrintableChars = Das Passwort enthält Steuerzeichen.\nEmpfehlung\: Entfernen Sie diese, um die Kompatibilität mit anderen Clients sicherzustellen.
-ctrl.secPasswordField.capsLocked = Die Feststelltaste ist aktiviert.
-unlock.label.useCustomMountFlags = Eigene Laufwerksoptionen
-unlock.choicebox.winDriveLetter.occupied = belegt

+ 0 - 147
main/ui/src/main/resources/localization/en.txt

@@ -1,147 +0,0 @@
-# Copyright (c) 2016 The Cryptomator Contributors
-# This file is licensed under the terms of the MIT license.
-# See the LICENSE.txt file for more info.
-# 
-# Contributors:
-#     Sebastian Stenzel - initial translation
-
-app.name=Cryptomator
-
-ctrl.secPasswordField.nonPrintableChars=Password contains control characters.\nRecommendation: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked=Caps Lock is activated.
-
-# main.fxml
-main.emptyListInstructions=Click here to add a vault
-main.directoryList.contextMenu.remove=Remove from List
-main.directoryList.contextMenu.changePassword=Change Password
-main.addDirectory.contextMenu.new=Create New Vault
-main.addDirectory.contextMenu.open=Open Existing Vault
-main.directoryList.remove.confirmation.title=Remove Vault
-main.directoryList.remove.confirmation.header=Do you really want to remove this vault?
-main.directoryList.remove.confirmation.content=The vault will only be removed from the list. To permanently delete it, please delete the vault from your filesystem.
-main.createVault.nonEmptyDir.title=Creating vault failed
-main.createVault.nonEmptyDir.header=Chosen directory is not empty
-main.createVault.nonEmptyDir.content=The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-main.gracefulShutdown.dialog.title=Locking vault(s) failed
-main.gracefulShutdown.dialog.header=Vault(s) in use
-main.gracefulShutdown.dialog.content=One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain=Try Again
-main.gracefulShutdown.button.forceShutdown=Force Shutdown
-
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking=Checking for Updates...
-welcome.newVersionMessage=Version %1$s can be downloaded.\nThis is %2$s.
-welcome.askForUpdateCheck.dialog.title=Update check
-welcome.askForUpdateCheck.dialog.header=Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content=Recommended: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-
-# initialize.fxml
-initialize.label.password=Password
-initialize.label.retypePassword=Retype Password
-initialize.button.ok=Create Vault
-initialize.messageLabel.alreadyInitialized=Vault already initialized
-initialize.messageLabel.initializationFailed=Could not initialize vault. See log file for details.
-initialize.messageLabel.passwordStrength.0=Very weak
-initialize.messageLabel.passwordStrength.1=Weak
-initialize.messageLabel.passwordStrength.2=Fair
-initialize.messageLabel.passwordStrength.3=Strong
-initialize.messageLabel.passwordStrength.4=Very strong
-initialize.label.doNotForget=IMPORTANT: If you forget your password, there is no way to recover your data.
-
-# notfound.fxml
-notfound.label=Vault couldn't be found. Has it been moved?
-
-# upgrade.fxml
-upgrade.confirmation.label=Yes, I've made sure that synchronization has finished
-upgrade.button=Upgrade Vault
-
-upgrade.version3dropBundleExtension.title=Vault Version 3 Upgrade (Drop Bundle Extension)
-upgrade.version3dropBundleExtension.msg=This vault needs to be migrated to a newer format.\n"%1$s" will be renamed to "%2$s".\nPlease make sure synchronization has finished before proceeding.
-upgrade.version3dropBundleExtension.err.alreadyExists=Automatic migration failed.\n"%s" already exists.
-
-upgrade.version3to4.title=Vault Version 3 to 4 Upgrade
-upgrade.version3to4.msg=This vault needs to be migrated to a newer format.\nEncrypted folder names will be updated.\nPlease make sure synchronization has finished before proceeding.
-upgrade.version3to4.err.io=Migration failed due to an I/O Exception. See log file for details.
-
-upgrade.version4to5.title=Vault Version 4 to 5 Upgrade
-upgrade.version4to5.msg=This vault needs to be migrated to a newer format.\nEncrypted files will be updated.\nPlease make sure synchronization has finished before proceeding.\n\nNote: Modification date of all files will be changed to the current date/time in the process.
-upgrade.version4to5.err.io=Migration failed due to an I/O Exception. See log file for details.
-
-upgrade.version5toX.title=Vault Version Upgrade
-upgrade.version5toX.msg=This vault needs to be migrated to a newer format.\nPlease make sure synchronization has finished before proceeding.
-
-# unlock.fxml
-unlock.label.password=Password
-unlock.label.savePassword=Save Password
-unlock.label.mountName=Drive Name
-unlock.label.useCustomMountFlags=Custom Mount Flags
-unlock.label.unlockAfterStartup=Auto-Unlock on Start (Experimental)
-unlock.label.revealAfterMount=Reveal Drive
-unlock.label.useReadOnlyMode=Read-Only
-unlock.label.winDriveLetter=Custom Drive Letter
-unlock.label.useOwnMountPath=Custom Mount Point
-unlock.label.chooseMountPath=Choose empty directory…
-unlock.label.downloadsPageLink=All Cryptomator versions
-unlock.button.unlock=Unlock Vault
-unlock.button.advancedOptions.show=More Options
-unlock.button.advancedOptions.hide=Less Options
-unlock.savePassword.delete.confirmation.title=Delete Saved Password
-unlock.savePassword.delete.confirmation.header=Do you really want to delete the saved password of this vault?
-unlock.savePassword.delete.confirmation.content=The saved password of this vault will be immediately deleted from your system keychain. If you'd like to save your password again, you'd have to unlock your vault with the "Save Password" option enabled.
-unlock.choicebox.winDriveLetter.auto=Assign automatically
-unlock.choicebox.winDriveLetter.occupied=occupied
-unlock.errorMessage.wrongPassword=Wrong password
-unlock.errorMessage.unlockFailed=Unlock failed. See log file for details.
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware=Unsupported vault. This vault has been created with an older version of Cryptomator.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault=Unsupported vault. This vault has been created with a newer version of Cryptomator.
-unlock.errorMessage.unauthenticVersionMac=Could not authenticate version MAC.
-unlock.successLabel.vaultCreated=Vault was successfully created.
-unlock.successLabel.passwordChanged=Password was successfully changed.
-unlock.successLabel.upgraded=Vault was successfully upgraded.
-
-unlock.failedDialog.title=Unlock failed
-unlock.failedDialog.header=Unlock failed
-unlock.failedDialog.content.mountPathNonExisting=Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty=Mount point is not empty.
-
-
-# change_password.fxml
-changePassword.label.oldPassword=Old Password
-changePassword.label.newPassword=New Password
-changePassword.label.retypePassword=Retype Password
-changePassword.label.downloadsPageLink=All Cryptomator versions
-changePassword.button.change=Change Password
-changePassword.errorMessage.wrongPassword=Wrong password
-changePassword.errorMessage.decryptionFailed=Decryption failed
-
-# unlocked.fxml
-unlocked.button.lock=Lock Vault
-unlocked.moreOptions.reveal=Reveal Drive
-unlocked.label.revealFailed=Command failed
-unlocked.label.unmountFailed=Ejecting drive failed
-unlocked.label.statsEncrypted=encrypted
-unlocked.label.statsDecrypted=decrypted
-unlocked.ioGraph.yAxis.label=Throughput (MiB/s)
-unlocked.lock.force.confirmation.title=Locking of %1$s failed
-unlocked.lock.force.confirmation.header=Do you want to force locking?
-unlocked.lock.force.confirmation.content=This may be because other programs are still accessing files in the vault or because some other problem occurred.\n\nPrograms still accessing the files may not work correctly and data not already written by those programs may be lost.
-
-# settings.fxml
-settings.version.label=Version %s
-settings.checkForUpdates.label=Check for Updates
-settings.webdav.port.label=WebDAV Port
-settings.webdav.port.prompt=0 = Choose automatically
-settings.webdav.port.apply=Apply
-settings.webdav.prefGvfsScheme.label=WebDAV Scheme
-settings.debugMode.label=Debug Mode
-settings.volume.label=Preferred Volume Type
-settings.volume.webdav=WebDAV
-settings.volume.fuse=FUSE
-settings.volume.dokany=Dokany
-
-# tray icon
-tray.menu.open=Open
-tray.menu.quit=Quit
-tray.infoMsg.title=Still Running
-tray.infoMsg.msg=Cryptomator is still alive. Quit it from the tray icon.
-tray.infoMsg.msg.osx=Cryptomator is still alive. Quit it from the menu bar icon.

File diff suppressed because it is too large
+ 0 - 130
main/ui/src/main/resources/localization/es.txt


File diff suppressed because it is too large
+ 0 - 131
main/ui/src/main/resources/localization/fr.txt


File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/fr_BE.txt


File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/fr_CA.txt


+ 0 - 127
main/ui/src/main/resources/localization/hu.txt

@@ -1,127 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Kattints ide egy széf létrehozásához
-main.directoryList.contextMenu.remove = Eltávolítás listából
-main.directoryList.contextMenu.changePassword = Jelszó megváltoztatása
-main.addDirectory.contextMenu.new = Új széf létrehozása
-main.addDirectory.contextMenu.open = Létező széf megnyitása
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Frissítések keresése...
-welcome.newVersionMessage = Új verzió érhető el\: %1$s.\nJelenlegi verzió\: %2$s.
-# initialize.fxml
-initialize.label.password = Jelszó
-initialize.label.retypePassword = Jelszó ismét
-initialize.button.ok = Széf létrehozása
-initialize.messageLabel.alreadyInitialized = A széf már meg van nyitva
-initialize.messageLabel.initializationFailed = Nem sikerült megnyitni a széfet. További információ a naplófájlban.
-# notfound.fxml
-notfound.label = Széf nem található. Lehetséges, hogy áthelyezésre került?
-# upgrade.fxml
-upgrade.button = Széf frissítése
-upgrade.version3dropBundleExtension.msg = A széf új verzióra történő migrációja szükséges. "%1$s" a következőre lesz átnevezve\: "%2$s". Kérlek győződj meg a szinkronizáció befejeztéről, mielőtt más műveletet végeznél.
-upgrade.version3dropBundleExtension.err.alreadyExists = Automatikus migráció meghíusúlt. "%s" már létezik.
-# unlock.fxml
-unlock.label.password = Jelszó
-unlock.label.mountName = Meghajtó neve
-# Fuzzy
-unlock.label.winDriveLetter = Meghajtó betűjele
-unlock.label.downloadsPageLink = Összes Cryptomator verzió
-unlock.label.advancedHeading = Haladó beállítások
-unlock.button.unlock = Széf feloldása
-unlock.button.advancedOptions.show = További beállítások
-unlock.button.advancedOptions.hide = Alapbeállítások
-unlock.choicebox.winDriveLetter.auto = Automatikus hozzárendelés
-unlock.errorMessage.wrongPassword = Hibás jelszó
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Nem támogatott széf. Ez a széf a Cryptomator egy korábbi verziójával került létrehozásra.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Nem támogatott széf. Ez a széf a Cryptomator egy újabb verziójával került létrehozásra.
-# change_password.fxml
-changePassword.label.oldPassword = Régi jelszó
-changePassword.label.newPassword = Új jelszó
-changePassword.label.retypePassword = Új jelszó ismét
-changePassword.label.downloadsPageLink = Összes Cryptomator verzió
-changePassword.button.change = Jelszó megváltoztatása
-changePassword.errorMessage.wrongPassword = Hibás jelszó
-changePassword.errorMessage.decryptionFailed = A titkosítás feloldása meghíusúlt
-# unlocked.fxml
-unlocked.button.lock = Széf lezárása
-unlocked.moreOptions.reveal = Meghajtó felfedése
-unlocked.label.revealFailed = Parancs meghíusúlt
-unlocked.label.unmountFailed = Meghajtó leválasztása sikertelen
-unlocked.label.statsEncrypted = titkosított
-unlocked.label.statsDecrypted = titkosítás feloldva
-unlocked.ioGraph.yAxis.label = Teljesítmény (MiB/s)
-# settings.fxml
-settings.version.label = Verzió\: %s
-settings.checkForUpdates.label = Frissítések keresése
-# tray icon
-tray.menu.open = Megnyit
-tray.menu.quit = Kilépés
-tray.infoMsg.title = Művelet folyamatban
-tray.infoMsg.msg = Cryptomator még fut. A tálcán található ikon segítségével bezárhatod.
-tray.infoMsg.msg.osx = Cryptomator még fut. A menüsávban található ikon segítségével bezárhatod.
-initialize.messageLabel.passwordStrength.0 = Nagyon gyenge
-initialize.messageLabel.passwordStrength.1 = Gyenge
-initialize.messageLabel.passwordStrength.2 = Megfelelő
-initialize.messageLabel.passwordStrength.3 = Erős
-initialize.messageLabel.passwordStrength.4 = Nagyon erős
-initialize.label.doNotForget = FONTOS\: Ha elfelejted a jelszavadat, akkor nincs lehetőség az adataid visszaállítására.
-main.directoryList.remove.confirmation.title = Széf eltávolítása
-main.directoryList.remove.confirmation.header = Tényleg törölni akarod ezt a széfet?
-main.directoryList.remove.confirmation.content = A széf csak a listából lesz eltávolítva. Végleges törléshez kérlek töröld a merevlemezen tárolt fájlokat.
-upgrade.version3to4.msg = Ennek a széfnek egy újabb formátumra való migrációja szükséges. A titkosított könyvtárnevek frissítve lesznek. Kérlek, győződj meg a szinkronizáció befejeztéről mielőtt továbblépnél.
-upgrade.version3to4.err.io = Migráció meghíusúlt egy I/O kivétel miatt. Kérlek nézd meg a naplófájlt a további részletekért.
-# upgrade.fxml
-upgrade.confirmation.label = Igen, meggyőződtem a szinkronizáció befejeztéről
-unlock.label.savePassword = Jelszó mentése
-unlock.errorMessage.unauthenticVersionMac = Nem lehet a MAC verziót azonosítani.
-unlock.savePassword.delete.confirmation.title = Mentett jelszó törlése
-unlock.savePassword.delete.confirmation.header = Biztosan el akarod távolítani a széfhez tartozó mentett jelszót?
-unlock.savePassword.delete.confirmation.content = A széf mentett jelszava rögtön törlése kerül. Ha újra el szeretnéd menteni a jelszavad, a széfet a "Jelszó mentése" opció engedélyezése mellett kell feloldani.
-settings.debugMode.label = Hibakeresési mód
-upgrade.version3dropBundleExtension.title = Vault Version 3 Upgrade (Drop Bundle Extension)
-upgrade.version3to4.title = Széf verziófrissítése 3-ról 4-re
-upgrade.version4to5.title = Széf verziófrissítése 4-ről 5-re
-upgrade.version4to5.msg = Ennek a széfnek egy újabb formátumra való migrációja szükséges. A titkosított könyvtárnevek frissítve lesznek. Kérlek, győződj meg a szinkronizáció befejeztéről mielőtt továbblépnél.\n\nMegjegyzés\: A összes fájl módosításának dátuma az aktuális időre fog módosulni
-upgrade.version4to5.err.io = Migráció meghíusúlt egy I/O kivétel miatt. Kérlek nézd meg a naplófájlt a további részletekért.
-unlock.label.revealAfterMount = Meghajtó megnyitása
-unlocked.lock.force.confirmation.title = Sikertelen lezárás a következőnél\: %1$s
-unlocked.lock.force.confirmation.header = Szeretné erőltetni a lezárást?
-unlocked.lock.force.confirmation.content = Ez amiatt lehet, mert más programok még mindig használják a széfben lévő fájlokat vagy valamilyen egyéb probléma lépett fel.\n\nA programok, amik használják ezeket a fájlokat, nem működhetnek megfelelően vagy akár adatvesztés is előfordulhat.
-unlock.label.unlockAfterStartup = Automatikus feloldás indításnál (kísérleti funkció)
-unlock.errorMessage.unlockFailed = A feloldás nem sikerült. Nézze meg a naplófájlokat.
-upgrade.version5toX.title = Széf verziófrissítés
-upgrade.version5toX.msg = A széf új verzióra történő migrációja szükséges.\nKérlek győződj meg a szinkronizáció befejeztéről, mielőtt más műveletet végeznél.
-main.createVault.nonEmptyDir.title = A széf létrehozása sikertelen
-main.createVault.nonEmptyDir.header = A kiválasztott mappa nem üres
-main.createVault.nonEmptyDir.content = A kiválasztott mappa már tartalmaz fájlokat (valószínűleg rejtett). A széf csak üres mappában hozható létre.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Automatikus választás
-settings.webdav.port.apply = Alkalmaz
-settings.webdav.prefGvfsScheme.label = WebDAV séma
-settings.volume.label = Csatlakoztatási mód
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = A széf sikeresen létrehozva.
-unlock.successLabel.passwordChanged = A jelszó sikeresen megváltoztatva.
-unlock.successLabel.upgraded = A Cryptomator sikeresen frissítésre került.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Próbáld újra
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/in.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Klik di sini untuk menambahkan brankas
-main.directoryList.contextMenu.remove = Hapus dari Daftar
-main.directoryList.contextMenu.changePassword = Ubah Kata Sandi
-main.addDirectory.contextMenu.new = Buat Brankas Baru
-main.addDirectory.contextMenu.open = Buka Brankas yang Ada
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Memeriksa Pembaruan...
-welcome.newVersionMessage = Versi %1$s dapat diunduh. Ini %2$s.
-# initialize.fxml
-initialize.label.password = Kata Sandi
-initialize.label.retypePassword = Ketik Ulang Kata Sandi
-initialize.button.ok = Buat Brankas
-initialize.messageLabel.alreadyInitialized = Brankas sudah dilakukan inisialisasi.
-initialize.messageLabel.initializationFailed = Tidak dapat melakukan inisialisasi brankas. Lihat berkas log untuk detailnya.
-# notfound.fxml
-notfound.label = Brankas tidak dapat ditemukan. Apakah sudah dipindahkan?
-# upgrade.fxml
-upgrade.button = Tingkatkan Brankas
-upgrade.version3dropBundleExtension.msg = Brankas ini perlu dimigrasi ke format baru.\n"%1$s" akan diubah namanya menjadi "%2$s".\nPastikan sinkronisasi telah selesai sebelum melanjutkan.
-upgrade.version3dropBundleExtension.err.alreadyExists = Migrasi otomatis gagal.\n"%s" sudah ada.
-# unlock.fxml
-unlock.label.password = Kata Sandi
-unlock.label.mountName = Nama Drive
-# Fuzzy
-unlock.label.winDriveLetter = Abjad Drive
-unlock.label.downloadsPageLink = Semua versi Cryptomator
-unlock.label.advancedHeading = Opsi Lanjutan
-unlock.button.unlock = Buka Brankas
-unlock.button.advancedOptions.show = Lebih Banyak Opsi
-unlock.button.advancedOptions.hide = Lebih Sedikit Opsi
-unlock.choicebox.winDriveLetter.auto = Tetapkan secara otomatis
-unlock.errorMessage.wrongPassword = Kata sandi salah
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Brankas tidak didukung. Brankas ini dibuat dengan Cryptomator versi lama.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Brankas tidak didukung. Brankas ini dibuat dengan Cryptomator versi baru.
-# change_password.fxml
-changePassword.label.oldPassword = Kata Sandi Lama
-changePassword.label.newPassword = Kata Sandi Baru
-changePassword.label.retypePassword = Ketik Ulang Kata Sandi
-changePassword.label.downloadsPageLink = Semua versi Cryptomator
-changePassword.button.change = Ubah Kata Sandi
-changePassword.errorMessage.wrongPassword = Kata sandi salah
-changePassword.errorMessage.decryptionFailed = Dekripsi gagal
-# unlocked.fxml
-unlocked.button.lock = Kunci Brankas
-unlocked.moreOptions.reveal = Tampilkan Drive
-unlocked.label.revealFailed = Perintah gagal
-unlocked.label.unmountFailed = Gagal melepaskan drive
-unlocked.label.statsEncrypted = terenkripsi
-unlocked.label.statsDecrypted = terdekripsi
-unlocked.ioGraph.yAxis.label = Lebar Pita Aktual (MiB/s)\n
-# settings.fxml
-settings.version.label = Versi %s
-settings.checkForUpdates.label = Periksa Pembaruan
-# tray icon
-tray.menu.open = Buka
-tray.menu.quit = Hentikan
-tray.infoMsg.title = Masih Berjalan
-tray.infoMsg.msg = Cryptomator masih aktif. Hentikan melalui ikon di baki sistem.
-tray.infoMsg.msg.osx = Cryptomator masih aktif. Hentikan melalui ikon di bilah menu.
-initialize.messageLabel.passwordStrength.0 = Sangat lemah
-initialize.messageLabel.passwordStrength.1 = Lemah
-initialize.messageLabel.passwordStrength.2 = Sedang
-initialize.messageLabel.passwordStrength.3 = Kuat
-initialize.messageLabel.passwordStrength.4 = Sangat kuat
-initialize.label.doNotForget = PENTING\: Jika Anda lupa kata sandi, data Anda tidak akan dapat dipulihkan.
-main.directoryList.remove.confirmation.title = Hapus Brankas
-main.directoryList.remove.confirmation.header = Anda yakin ingin menghapus brankas ini?
-main.directoryList.remove.confirmation.content = Brankas hanya akan dihapus dari daftar. Untuk menghapusnya secara permanen, silakan menghapus brankas dari sistem berkas Anda.
-upgrade.version3to4.msg = Brankas ini perlu dimigrasi ke format baru.\nNama folder yang dienkripsi akan diperbarui.\nPastikan bahwa sinkronisasi telah selesai sebelum melanjutkan.
-upgrade.version3to4.err.io = Migrasi gagal karena IOException. Lihat berkas log untuk detailnya.
-# upgrade.fxml
-upgrade.confirmation.label = Ya, saya pastikan bahwa sinkronisasi telah selesai
-unlock.label.savePassword = Simpan Kata Sandi
-unlock.errorMessage.unauthenticVersionMac = Tidak dapat mengautentikasi versi MAC.
-unlock.savePassword.delete.confirmation.title = Hapus Kata Sandi Tersimpan
-unlock.savePassword.delete.confirmation.header = Anda yakin ingin menghapus kata sandi tersimpan untuk brankas ini?
-unlock.savePassword.delete.confirmation.content = Kata sandi tersimpan untuk brankas ini akan segera dihapus dari rantai kunci sistem Anda. Jika Anda ingin menyimpan kata sandi lagi, Anda harus membuka berkas Anda dengan mengaktifkan opsi "Simpan Kata Sandi".
-settings.debugMode.label = Mode Pengawakutuan
-upgrade.version3dropBundleExtension.title = Peningkatan Brankas Versi 3 (Ekstensi Bundel Drop)
-upgrade.version3to4.title = Peningkatan Brankas Versi 3 ke 4
-upgrade.version4to5.title = Peningkatan Brankas Versi 4 ke 5
-upgrade.version4to5.msg = Brankas ini perlu dimigrasi ke format baru.\nBerkas yang dienkripsi akan diperbarui.\nPastikan bahwa sinkronisasi telah selesai sebelum melanjutkan.\n\nCatatan\: Tanggal modifikasi semua berkas akan diubah ke tanggal/waktu aktual dalam prosesnya.
-upgrade.version4to5.err.io = Migrasi gagal karena IOException. Lihat berkas log untuk detailnya.
-unlock.label.revealAfterMount = Tampilkan Drive
-unlocked.lock.force.confirmation.title = Gagal mengunci %1$s\n
-unlocked.lock.force.confirmation.header = Anda ingin memaksakan penguncian?
-unlocked.lock.force.confirmation.content = Ini mungkin dikarenakan program lain masih mengakses berkas di dalam brankas atau juga karena masalah lainnya.\n\nProgram yang masih mengakses berkas mungkin tidak berfungsi dengan semestinya, dan data yang belum ditulis oleh program tersebut kemungkinan hilang.
-unlock.label.unlockAfterStartup = Buka Otomatis saat Mulai (Eksperimental)
-unlock.errorMessage.unlockFailed = Gagal membuka. Lihat berkas log untuk detailnya.
-upgrade.version5toX.title = Peningkatan Versi Brankas
-upgrade.version5toX.msg = Brankas ini perlu dimigrasi ke format baru.\nPastikan bahwa sinkronisasi telah selesai sebelum melanjutkan.
-main.createVault.nonEmptyDir.title = Gagal membuat brankas
-main.createVault.nonEmptyDir.header = Direktori yang dipilih tidak kosong
-main.createVault.nonEmptyDir.content = Direktori yang dipilih sudah berisi berkas (mungkin disembunyikan). Brankas hanya dapat dibuat di direktori kosong.
-settings.webdav.port.label = Porta WebDAV
-settings.webdav.port.prompt = 0 \= Pilih secara otomatis
-settings.webdav.port.apply = Terapkan
-settings.webdav.prefGvfsScheme.label = Skema WebDAV
-settings.volume.label = Jenis Volume yang diutamakan
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Brankas berhasil dibuat.
-unlock.successLabel.passwordChanged = Kata sandi berhasil diubah.
-unlock.successLabel.upgraded = Cryptomator berhasil ditingkatkan.
-# Fuzzy
-unlock.label.useOwnMountPath = Gunakan Titik Kait Kustom
-welcome.askForUpdateCheck.dialog.title = Pemeriksaan pembaruan
-welcome.askForUpdateCheck.dialog.header = Aktifkan pemeriksaan pembaruan terintegrasi?
-welcome.askForUpdateCheck.dialog.content = Disarankan\: Aktifkan pemeriksaan pembaruan untuk memastikan bahwa Anda selalu menginstal Cryptomator versi terbaru dengan segala tambalan keamanan.\n\nAnda dapat mengubahnya kapan pun dari dalam pengaturan.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Gagal mengunci berkas
-main.gracefulShutdown.dialog.header = Brankas yang digunakan
-main.gracefulShutdown.dialog.content = Satu atau beberapa brankas masih digunakan oleh program lain. Silakan tutup semuanya agar Cryptomator dapat dimatikan dengan benar, kemudian coba lagi.\n\nCryptomator dapat dimatikan dengan paksa jika tidak berhasil. Namun, hal ini tidak disarankan karena data bisa hilang.
-main.gracefulShutdown.button.tryAgain = Coba lagi
-main.gracefulShutdown.button.forceShutdown = Matikan paksa
-unlock.pendingMessage.unlocking = Membuka brankas...
-unlock.failedDialog.title = Gagal membuka
-unlock.failedDialog.header = Gagal membuka
-unlock.failedDialog.content.mountPathNonExisting = Titik kait tidak ada.
-unlock.failedDialog.content.mountPathNotEmpty = Titik kait tidak kosong.
-unlock.label.useReadOnlyMode = Hanya-Baca
-unlock.label.chooseMountPath = Pilih direktori kosong...
-ctrl.secPasswordField.nonPrintableChars = Kata sandi mengandung karakter kontrol.\nSaran\: Hapus karakter itu untuk memastikan kompatibilitas dengan klien lain.
-ctrl.secPasswordField.capsLocked = Caps Lock diaktifkan.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 127
main/ui/src/main/resources/localization/it.txt

@@ -1,127 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Clicca qui per aggiungere un vault
-main.directoryList.contextMenu.remove = Rimuovi dalla lista
-main.directoryList.contextMenu.changePassword = Cambio password
-main.addDirectory.contextMenu.new = Crea un nuovo vault
-main.addDirectory.contextMenu.open = Apri un vault
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Verifica aggiornamenti...
-welcome.newVersionMessage = La versione %1$s può essere scaricata.\nQuesta è %2$s
-# initialize.fxml
-initialize.label.password = Password
-initialize.label.retypePassword = Conferma password
-initialize.button.ok = Crea Vault
-initialize.messageLabel.alreadyInitialized = Vault già inizializzato
-initialize.messageLabel.initializationFailed = Non è possibile inizializzare il vault. Controlla il file di log per dettagli.
-# notfound.fxml
-notfound.label = Il vault non può essere trovato. E' stato rimosso?
-# upgrade.fxml
-upgrade.button = Aggiorna vault
-upgrade.version3dropBundleExtension.msg = Questo vault deve essere migrato ad un nuovo formato.\n"%1$s" verrà rinominato in "%2$s".\nPer favore verifica che la sincronizzazione sia finita prima di procedere
-upgrade.version3dropBundleExtension.err.alreadyExists = Migrazione automatica fallita.\n"%s" esiste già.
-# unlock.fxml
-unlock.label.password = Password
-unlock.label.mountName = nome del drive
-# Fuzzy
-unlock.label.winDriveLetter = lettera del drive
-unlock.label.downloadsPageLink = Tutte le versioni di Cryptomator
-unlock.label.advancedHeading = Opzioni avanzate
-unlock.button.unlock = Sblocca vault
-unlock.button.advancedOptions.show = Più opzioni
-unlock.button.advancedOptions.hide = Meno opzioni
-unlock.choicebox.winDriveLetter.auto = Assegna automaticamente
-unlock.errorMessage.wrongPassword = Password errata
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Vault non supportato. Questo vault è stato creato con una versione di Cryptomator più vecchia.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Vault non supportato. Questo vault è stato creato con una versione di Cryptomator più recente.
-# change_password.fxml
-changePassword.label.oldPassword = Vecchia password
-changePassword.label.newPassword = Nuova password
-changePassword.label.retypePassword = Conferma password
-changePassword.label.downloadsPageLink = Tutte le versioni di Cryptomator
-changePassword.button.change = Cambia la password
-changePassword.errorMessage.wrongPassword = Password errata
-changePassword.errorMessage.decryptionFailed = Decriptaggio fallito
-# unlocked.fxml
-unlocked.button.lock = Blocca vault
-unlocked.moreOptions.reveal = Apri il disco
-unlocked.label.revealFailed = Comando fallito
-unlocked.label.unmountFailed = Espulsione disco fallita
-unlocked.label.statsEncrypted = criptato
-unlocked.label.statsDecrypted = decriptato
-unlocked.ioGraph.yAxis.label = Volume dati (MiB/s)
-# settings.fxml
-settings.version.label = Versione %s
-settings.checkForUpdates.label = Verifica aggiornamenti
-# tray icon
-tray.menu.open = Apri
-tray.menu.quit = Chiudi
-tray.infoMsg.title = Ancora in esecuzione
-tray.infoMsg.msg = Cryptomator è ancora in esecuzione. Chiudilo utilizzando l'icona nel menù di stato.
-tray.infoMsg.msg.osx = Cryptomator è ancora in esecuzione. Chiudilo utilizzando l'icona nella barra del menù.
-initialize.messageLabel.passwordStrength.0 = Molto debole
-initialize.messageLabel.passwordStrength.1 = Debole
-initialize.messageLabel.passwordStrength.2 = Buona
-initialize.messageLabel.passwordStrength.3 = Sicura
-initialize.messageLabel.passwordStrength.4 = Molto sicura
-initialize.label.doNotForget = IMPORTANTE\: Se dimentichi la password, non c'è modo di recuperare i tuoi dati.
-main.directoryList.remove.confirmation.title = Rimuovi vault
-main.directoryList.remove.confirmation.header = Vuoi davvero rimuovere questo vault?
-main.directoryList.remove.confirmation.content = Il vault sarà rimosso solo dalla lista. Per eliminarlo definitivamente, elimina per favore i file dal tuo hard disk.
-upgrade.version3to4.msg = Il vault deve ha bisogno di essere migrato in un nuovo formato. I nome delle cartelle criptate saranno aggiornati. Per favore assicurati che la sincronizzazione sia terminata prima di procedere.
-upgrade.version3to4.err.io = Migrazione fallita a causa di una eccezione I/O. Verificare i file di log per i dettagli.
-# upgrade.fxml
-upgrade.confirmation.label = Si, sono sicuro che la sincronizzazione e' terminata
-unlock.label.savePassword = Salva Password
-unlock.errorMessage.unauthenticVersionMac = Non riesco ad autenticare la versione MAC.
-unlock.savePassword.delete.confirmation.title = Cancella la password salvata
-unlock.savePassword.delete.confirmation.header = Vuoi veramente cancellare le password salvate in questo vault?
-unlock.savePassword.delete.confirmation.content = Le password salvate in questo vault saranno immediatamente cancellate dal sistema di chiavi. Se vuoi salvare nuovamente la tua password, devi sbloccare il tuo vault con l'opzione "Salva password" abilitata.
-settings.debugMode.label = Modalita' debug
-upgrade.version3dropBundleExtension.title = Aggiornamento Vault versione 3 ( Estensione Drop bundle )
-upgrade.version3to4.title = Aggiornamento Vault da versione 3 a 4
-upgrade.version4to5.title = Aggiornamento da versione 4 a 5
-upgrade.version4to5.msg = Questo vault ha bisogno di essere migrato ad un formato piu' recente. Tutti i files criptati saranno aggiornati. Per favore assicurati che la sincronizzazione sia terminata prima di procedere.\n\nNota\: la data di modifica di tutti i files cambiera' alla data/ora attuale del processo.
-upgrade.version4to5.err.io = Migrazione fallita a causa di una eccezione I/O. Verifica il file di log per i dettagli.
-unlock.label.revealAfterMount = Mostra il disco
-unlocked.lock.force.confirmation.title = Il blocco di %1$s è fallito
-unlocked.lock.force.confirmation.header = Vuoi forzare il blocco?
-unlocked.lock.force.confirmation.content = E' accaduto questo perchè altri programmi stanno ancora utilizzando i dati nel vault o perchè è accaduto un altro problema
-unlock.label.unlockAfterStartup = Blocco automatico all'avvio (Sperimentale)
-unlock.errorMessage.unlockFailed = Sblocco fallito. Guarda il file log per i dettagli.
-upgrade.version5toX.title = Aggiornamento di versione del Vault
-upgrade.version5toX.msg = Questo vault deve migrare ad un nuovo formato.\nAssicurati che la sincronizzazione sia terminata prima di procedere.
-main.createVault.nonEmptyDir.title = Creazione del vaul fallita
-main.createVault.nonEmptyDir.header = La directory scelta non è vuota
-main.createVault.nonEmptyDir.content = La directory selezionata contiene già dei file (forse nascosti). Un vault può essere creato solo in una directory vuota.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Scelta automatica
-settings.webdav.port.apply = Applica
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Mount-Methode
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Vaul creato con successo.
-unlock.successLabel.passwordChanged = Password modificata con successo.
-unlock.successLabel.upgraded = Cryptomator aggiornato con successo.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/ja.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = ここをクリックして金庫を追加
-main.directoryList.contextMenu.remove = リストから削除
-main.directoryList.contextMenu.changePassword = パスワードの変更
-main.addDirectory.contextMenu.new = 新しい金庫を作成
-main.addDirectory.contextMenu.open = 既存の金庫を開く
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = アップデートを確認しています...
-welcome.newVersionMessage = バージョン %1$s がダウンロード可能です。\n現在のバージョンは %2$s です。
-# initialize.fxml
-initialize.label.password = パスワード
-initialize.label.retypePassword = パスワードの再入力
-initialize.button.ok = 金庫を作成
-initialize.messageLabel.alreadyInitialized = 金庫は既に初期化されています
-initialize.messageLabel.initializationFailed = 金庫の初期化ができませんでした。詳細はログファイルをご覧ください。
-# notfound.fxml
-notfound.label = 金庫が見つかりません。移動しましたか?
-# upgrade.fxml
-upgrade.button = 金庫をアップグレード
-upgrade.version3dropBundleExtension.msg = この金庫を新しい形式に移行する必要があります。\n"%1$s" は "%2$s" に変更されます。\n続行する前に同期が完了していることをご確認ください。
-upgrade.version3dropBundleExtension.err.alreadyExists = 自動移行が失敗しました。\n"%s" はすでに存在します。
-# unlock.fxml
-unlock.label.password = パスワード
-unlock.label.mountName = ドライブ名
-# Fuzzy
-unlock.label.winDriveLetter = ドライブ文字
-unlock.label.downloadsPageLink = すべての Cryptomator バージョン
-unlock.label.advancedHeading = 詳細オプション
-unlock.button.unlock = 金庫を解錠
-unlock.button.advancedOptions.show = オプションを表示
-unlock.button.advancedOptions.hide = オプションを非表示
-unlock.choicebox.winDriveLetter.auto = 自動的に割り当てる
-unlock.errorMessage.wrongPassword = パスワードが無効です
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = サポートされない金庫です。この金庫は古いバージョンの Cryptomator を使用して作成されました。
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = サポートされない金庫です。この金庫は新しいバージョンの Cryptomator を使用して作成されました。
-# change_password.fxml
-changePassword.label.oldPassword = 古いパスワード
-changePassword.label.newPassword = 新しいパスワード
-changePassword.label.retypePassword = パスワードの再入力
-changePassword.label.downloadsPageLink = すべての Cryptomator バージョン
-changePassword.button.change = パスワードの変更
-changePassword.errorMessage.wrongPassword = パスワードが無効です
-changePassword.errorMessage.decryptionFailed = 復号に失敗しました。
-# unlocked.fxml
-unlocked.button.lock = 金庫の施錠
-unlocked.moreOptions.reveal = ドライブの表示
-unlocked.label.revealFailed = 入力エラー
-unlocked.label.unmountFailed = ドライブの取り出しに失敗
-unlocked.label.statsEncrypted = 暗号化済み
-unlocked.label.statsDecrypted = 復号済み
-unlocked.ioGraph.yAxis.label = スループット (MiB/s)
-# settings.fxml
-settings.version.label = バージョン %s
-settings.checkForUpdates.label = 最新版のチェック
-# tray icon
-tray.menu.open = 開く
-tray.menu.quit = 閉じる
-tray.infoMsg.title = バックグラウンドで実行中
-tray.infoMsg.msg = まだ Cryptomator は実行中です。トレイアイコンのアイコンから閉じてください。
-tray.infoMsg.msg.osx = まだ Cryptomator は実行中です。メニューバーのアイコンから閉じてください。
-initialize.messageLabel.passwordStrength.0 = 非常に弱い
-initialize.messageLabel.passwordStrength.1 = 弱い
-initialize.messageLabel.passwordStrength.2 = 普通
-initialize.messageLabel.passwordStrength.3 = 強い
-initialize.messageLabel.passwordStrength.4 = 非常に強い
-initialize.label.doNotForget = 重要\: パスワードを忘れると、データの復旧はできません。
-main.directoryList.remove.confirmation.title = 金庫を削除
-main.directoryList.remove.confirmation.header = この金庫を本当に削除しますか?
-main.directoryList.remove.confirmation.content = 金庫はリストのみで削除されます。完全に削除するには、ファイルシステムからファイルを削除してください。
-upgrade.version3to4.msg = この金庫は新しいフォーマットに移行する必要があります。\n暗号化されたフォルダの名前は更新されます。\n続行する前に同期が完了していることをご確認ください。
-upgrade.version3to4.err.io = I/O の例外で移行に失敗しました。詳細はログをご確認ください。
-# upgrade.fxml
-upgrade.confirmation.label = はい、同期が完了していることを確認しました。
-unlock.label.savePassword = パスワードを保存
-unlock.errorMessage.unauthenticVersionMac = MAC バージョンを認証できません。
-unlock.savePassword.delete.confirmation.title = 保存済みのパスワードを削除
-unlock.savePassword.delete.confirmation.header = 本当にこの金庫の保存済みパスワードを削除しますか?
-unlock.savePassword.delete.confirmation.content = この金庫の保存済みパスワードは、直ちにシステムのキーチェーンから削除されます。もう一度パスワードを保存するには、"Save Password" オプションを有効にして金庫を解錠する必要があります。
-settings.debugMode.label = デバッグモード
-upgrade.version3dropBundleExtension.title = 金庫をバージョン 3 にアップグレード(Drop Bundle Extension)
-upgrade.version3to4.title = 金庫をバージョン 3 から 4 にアップグレード
-upgrade.version4to5.title = 金庫をバージョン 4 から 5 にアップグレード
-upgrade.version4to5.msg = この金庫は新しいフォーマットに移行する必要があります。\n暗号化されたファイルは更新されます。\n続行する前に同期が完了していることをご確認ください。\n\n注意:すべてのファイルの変更日は、現在の日付・時刻に変わります。
-upgrade.version4to5.err.io = I/O の例外で移行に失敗しました。詳細はログをご確認ください。
-unlock.label.revealAfterMount = ドライブの表示
-unlocked.lock.force.confirmation.title = %1$s の施錠に失敗しました
-unlocked.lock.force.confirmation.header = 強制的にロックしますか?
-unlocked.lock.force.confirmation.content = これは恐らく他のプログラムがこの金庫のファイルをまだアクセスしているか、あるいは別の問題が発生したためです。\n\nまだファイルにアクセスしているプログラムが正しく動作しない可能性があり、それらのプログラムによってまだ書き込まれていないデータが失われる可能性があります。
-unlock.label.unlockAfterStartup = 起動時に解錠 (実験的)
-unlock.errorMessage.unlockFailed = 施錠に失敗しました。詳細をログファイルで確認してください。
-upgrade.version5toX.title = 金庫のバージョンをアップグレード
-upgrade.version5toX.msg = この金庫を新しいバージョンに移行する必要があります。\n進行する前に同期が完了していることをご確認ください。
-main.createVault.nonEmptyDir.title = 金庫の作成が失敗しました
-main.createVault.nonEmptyDir.header = 選択したディレクトリが空ではありません
-main.createVault.nonEmptyDir.content = 選択したディレクトリには、既にファイルがあります (非表示になっている可能性があります)。金庫は空のディレクトリにのみ作成可能です。
-settings.webdav.port.label = WebDAV ポート
-settings.webdav.port.prompt = 0 \= 自動的に選択
-settings.webdav.port.apply = 適用
-settings.webdav.prefGvfsScheme.label = WebDAV スキーム
-settings.volume.label = マウント方法
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = 金庫が正常に作成されました。
-unlock.successLabel.passwordChanged = パスワードが正常に変更されました。
-unlock.successLabel.upgraded = 金庫が正常にアップグレードされました。
-# Fuzzy
-unlock.label.useOwnMountPath = カスタムマウントポイントを使う
-welcome.askForUpdateCheck.dialog.title = アップデート確認
-welcome.askForUpdateCheck.dialog.header = 統合アップデート確認を有効にしますか?
-welcome.askForUpdateCheck.dialog.content = 推奨事項\: 更新プログラムのチェックを有効にして、常にすべてのセキュリティ パッチが適応された Cryptomator の最新バージョンを利用してください。\n\nこの設定はいつでも設定から変更できます。
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = 金庫のロックに失敗しました。
-main.gracefulShutdown.dialog.header = 金庫が使用中です。
-main.gracefulShutdown.dialog.content = 金庫が複数のプログラムによって使用されています。Cryptomator を正常に終了できるようにプログラムを閉じてから、もう一度やり直してください。\n\n閉じなくても Cryptomator を強制的に終了することはできますが、データの損失を発生しかねないためお勧めできません。
-main.gracefulShutdown.button.tryAgain = やり直す
-main.gracefulShutdown.button.forceShutdown = 強制終了
-unlock.pendingMessage.unlocking = 金庫を解錠しています...
-unlock.failedDialog.title = 解錠に失敗しました
-unlock.failedDialog.header = 解錠に失敗しました
-unlock.failedDialog.content.mountPathNonExisting = マウントポイントが存在しません。
-unlock.failedDialog.content.mountPathNotEmpty = マウントポイントが空ではありません。
-unlock.label.useReadOnlyMode = 読み取り専用
-unlock.label.chooseMountPath = 空のディレクトリを選択...
-ctrl.secPasswordField.nonPrintableChars = パスワードに制御文字が含まれています。\n推奨事項\: 他のクライアントとの互換性のために、制御文字は削除してください。
-ctrl.secPasswordField.capsLocked = Caps Lock が有効です。
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/ko.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = 여기를 클릭하여 보관함 추가하기
-main.directoryList.contextMenu.remove = 목록에서 삭제
-main.directoryList.contextMenu.changePassword = 비밀번호 변경
-main.addDirectory.contextMenu.new = 새 보관함 만들기
-main.addDirectory.contextMenu.open = 기존 보관함 열기
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = 업데이트 확인 중...
-welcome.newVersionMessage = %1$s 버전이 새로 다운로드 가능합니다.\n지금 버전은 %2$s 입니다.
-# initialize.fxml
-initialize.label.password = 비밀번호
-initialize.label.retypePassword = 비밀번호 재입력
-initialize.button.ok = 보관함 만들기
-initialize.messageLabel.alreadyInitialized = 이미 보관함이 초기화되었습니다.
-initialize.messageLabel.initializationFailed = 보관함을 초기화할 수 없습니다. 자세한 사항은 로그 파일을 참조하세요.
-# notfound.fxml
-notfound.label = 보관함을 찾을 수 없습니다. 옮겨졌는지 확인해 주세요.
-# upgrade.fxml
-upgrade.button = 보관함 업그레이드
-upgrade.version3dropBundleExtension.msg = 이 보관함은 새로운 형식으로 다시 바뀔 필요가 있습니다. "%1$s"의 이름은 "%2$s"로 바뀔 것입니다. 진행하기 전에 동기화가 완료되었는지 다시 한 번 확인해주시기 바랍니다.
-upgrade.version3dropBundleExtension.err.alreadyExists = 자동 마이그레이션 실패. "%s"가 이미 존재합니다.
-# unlock.fxml
-unlock.label.password = 비밀번호
-unlock.label.mountName = 드라이브 이름
-# Fuzzy
-unlock.label.winDriveLetter = 드라이브 문자
-unlock.label.downloadsPageLink = 모든 Cryptomator 버전
-unlock.label.advancedHeading = 고급 옵션
-unlock.button.unlock = 보관함 해제
-unlock.button.advancedOptions.show = 더 많은 옵션
-unlock.button.advancedOptions.hide = 기본 옵션
-unlock.choicebox.winDriveLetter.auto = 자동으로 할당
-unlock.errorMessage.wrongPassword = 잘못된 비밀번호
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = 지원되지 않는 보관함. 이 보관함은 이전 버전의 Cryptomator에서 생성되었습니다.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = 지원되지 않는 보관함. 이 보관함은 상위 버전의 Cryptomator에서 생성되었습니다.
-# change_password.fxml
-changePassword.label.oldPassword = 이전 비밀번호
-changePassword.label.newPassword = 새로운 비밀번호
-changePassword.label.retypePassword = 비밀번호 재입력
-changePassword.label.downloadsPageLink = 모든 Cryptomator 버전
-changePassword.button.change = 비밀번호 변경
-changePassword.errorMessage.wrongPassword = 잘못된 비밀번호
-changePassword.errorMessage.decryptionFailed = 암호화 해제 실패
-# unlocked.fxml
-unlocked.button.lock = 보관함 잠그기
-unlocked.moreOptions.reveal = 드라이브 표시
-unlocked.label.revealFailed = 명령 실패
-unlocked.label.unmountFailed = 드라이브 꺼내기 실패
-unlocked.label.statsEncrypted = 암호화
-unlocked.label.statsDecrypted = 복호화
-unlocked.ioGraph.yAxis.label = 처리량 (MiB/s)
-# settings.fxml
-settings.version.label = 버전 %s
-settings.checkForUpdates.label = 업데이트 확인
-# tray icon
-tray.menu.open = 열기
-tray.menu.quit = 종료
-tray.infoMsg.title = 계속 실행 중입니다.
-tray.infoMsg.msg = Cryptomator가 계속 실행 중입니다. 종료는 트레이 아이콘에서 해주세요.
-tray.infoMsg.msg.osx = Cryptomator가 계속 실행중입니다. 종료는 메뉴바 아이콘에서 해주세요.
-initialize.messageLabel.passwordStrength.0 = 매우 약함
-initialize.messageLabel.passwordStrength.1 = 약함
-initialize.messageLabel.passwordStrength.2 = 괜찮음
-initialize.messageLabel.passwordStrength.3 = 강력함
-initialize.messageLabel.passwordStrength.4 = 매우 강력함
-initialize.label.doNotForget = 중요\: 만약 비밀번호를 잊으셨다면, 여러분의 데이터를 복구할 수 없습니다.
-main.directoryList.remove.confirmation.title = 보관함 삭제
-main.directoryList.remove.confirmation.header = 정말 이 보관함을 삭제하시겠습니까?
-main.directoryList.remove.confirmation.content = 보관함이 목록에서만 제거되었습니다. 데이터를 완전히 제거하시려면, 사용자의 파일시스템이서 제거해 주시기 바랍니다.
-upgrade.version3to4.msg = 이 보관함은 새로운 형식으로 이전되어야 합니다. 암호화된 폴더 이름이 업데이트 될 것입니다. 진행하기 전에 동기화가 완료되었는지 확인하기 바랍니다.
-upgrade.version3to4.err.io = I/O 예외 문제로 마이그레이션이 실패하였습니다. 자세한 사항은 로그 파일을 확인하세요.
-# upgrade.fxml
-upgrade.confirmation.label = 네. 동기화가 완료되었음을 확인하였습니다.
-unlock.label.savePassword = 비밀번호 저장
-unlock.errorMessage.unauthenticVersionMac = 인증할 수 없는 버전의 MAC(Message Authentication Code)입니다
-unlock.savePassword.delete.confirmation.title = 저장된 비밀번호 삭제
-unlock.savePassword.delete.confirmation.header = 정말로 이 보관함의 저장된 비밀번호를 지우시겠습니까?
-unlock.savePassword.delete.confirmation.content = 이 보관함의 저장된 비밀번호는 당신의 시스템 키체인에서 즉시 삭제될 것입니다. 다시 비밀번호를 저장하고 싶으시다면, 보관함을 열 때 "비밀번호 저장" 옵션을 활성화해야 합니다
-settings.debugMode.label = 디버그 모드
-upgrade.version3dropBundleExtension.title = 버전 3 보관함 업그레이드 (Drop Bundle Extension)
-upgrade.version3to4.title = 보관함 버전 3에서 4로 업그레이드
-upgrade.version4to5.title = 보관함 버전 4에서 5로 업그레이드
-upgrade.version4to5.msg = 이 보관함은 새로운 형식으로 이전되어야 합니다.\n암호화된 파일들은 업데이트 될 것입니다.\n진행하기 전에 동기화가 완료되었는지 확인해주세요.\n\n참고\: 모든 파일의  수정 날짜는 과정 진행 중에 현재 날짜/시간으로 바뀔 것입니다.
-upgrade.version4to5.err.io = I/O 예외에 의해 마이그레이션 실패. 자세한 사항은 로그 파일을 참조하세요.
-unlock.label.revealAfterMount = 드라이브 공개
-unlocked.lock.force.confirmation.title = %1$s 잠그기 실패
-unlocked.lock.force.confirmation.header = 강제로 잠그시겠습니까?
-unlocked.lock.force.confirmation.content = 이는 다른 프로그램이 보관함 내의 파일을 접근하고 있거나, 다른 문제가 발생했기 때문일 수 있습니다.\n\n파일을 접근하고 있는 프로그램이 제대로 동작하지 않을 수 있으며, 프로그램이 쓰지 않은 데이터는 손실될 수 있습니다.
-unlock.label.unlockAfterStartup = 시작 시 자동 잠금 해제 (실험적)
-unlock.errorMessage.unlockFailed = 잠금 해제 실패. 자세한 사항은 로그 파일을 참조하세요.
-upgrade.version5toX.title = 보관함 버전 업그레이드
-upgrade.version5toX.msg = 이 보관함은 새로운 버전으로 이전되어야 합니다.\n진행하기 전에 동기화가 완료되었는지 확인해주세요.
-main.createVault.nonEmptyDir.title = 보관함 생성 실패
-main.createVault.nonEmptyDir.header = 선택된 디렉토리가 비어있지 않습니다
-main.createVault.nonEmptyDir.content = 선택된 디렉토리가 이미 파일을 포함하고 있습니다 (숨겨져 있을 수도 있습니다). 보관함은 비어있는 디렉토리에만 생성할 수 있습니다.
-settings.webdav.port.label = WebDAV 포트
-settings.webdav.port.prompt = 0 \= 자동으로 선택
-settings.webdav.port.apply = 적용
-settings.webdav.prefGvfsScheme.label = WebDAV 스킴
-settings.volume.label = 마운트-방법
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = 보관함이 성공적으로 생성되었습니다.
-unlock.successLabel.passwordChanged = 비밀번호가 성공적으로 변경되었습니다.
-unlock.successLabel.upgraded = Cryptomator가 성공적으로 업그레이드 되었습니다.
-# Fuzzy
-unlock.label.useOwnMountPath = 커스텀 마운트 지점 사용
-welcome.askForUpdateCheck.dialog.title = 업데이트 확인
-welcome.askForUpdateCheck.dialog.header = 통합 업데이트 확인을 활성화 하겠습니까?
-welcome.askForUpdateCheck.dialog.content = 추천\: 모든 보안 패치가 적용된 최신 버전의 Cryptomator를 유지하기 위해 업데이트 확인을 활성화 하십시오.\n설정에서 언제든지 바꿀 수 있습니다.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = 보관함 잠그기 실패
-main.gracefulShutdown.dialog.header = 보관함이 사용중입니다.
-main.gracefulShutdown.dialog.content = 하나 이상의 보관함을 다른 프로그램이 사용하고 있습니다. Cryptomator를 올바르게 종료하려면 프로그램을 먼저 종료하고 다시 시도해 주세요.
-main.gracefulShutdown.button.tryAgain = 다시 시도
-main.gracefulShutdown.button.forceShutdown = 강제 종료
-unlock.pendingMessage.unlocking = 보관함 여는 중
-unlock.failedDialog.title = 잠금 해제 실패
-unlock.failedDialog.header = 잠금 해제 실패
-unlock.failedDialog.content.mountPathNonExisting = 마운트 지점이 존재하지 않습니다.
-unlock.failedDialog.content.mountPathNotEmpty = 마운트 지점이 비어있지 않습니다.
-unlock.label.useReadOnlyMode = 읽기 전용
-unlock.label.chooseMountPath = 빈 디렉토리 선택
-ctrl.secPasswordField.nonPrintableChars = 패스워드에 특수문자가 포함되어 있습니다.\n권장사항 \: 다른 클라이언트와의 호환성을 보증하기 위해 해당하는 문자를 제거하시기 바랍니다.
-ctrl.secPasswordField.capsLocked = Caps Lock 키가 활성화 되어있습니다.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 129
main/ui/src/main/resources/localization/lv.txt

@@ -1,129 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Noklikšķiniet šeit, lai pievienotu glabātuvi
-main.directoryList.contextMenu.remove = Noņemt no saraksta
-main.directoryList.contextMenu.changePassword = Mainīt paroli
-main.addDirectory.contextMenu.new = Izveidot jaunu glabātuvi
-main.addDirectory.contextMenu.open = Atvērt esošu glabātuvi
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Pārbauda atjauninājumus...
-welcome.newVersionMessage = Lejupielādei pieejama versija %1$s.\nŠī ir %2$s. 
-# initialize.fxml
-initialize.label.password = Parole
-initialize.label.retypePassword = Atkārto paroli
-initialize.button.ok = Izveidot glabātuvi
-initialize.messageLabel.alreadyInitialized = Glabātuve jau ir inicializēta
-initialize.messageLabel.initializationFailed = Nevarēja inicializēt glabātuvi. Sīkāku informāciju skaties žurnālā.
-# notfound.fxml
-notfound.label = Nevar atrast glabātuvi. Vai tā ir pārvietota?
-# upgrade.fxml
-upgrade.button = Atjaunināt glabātuvi
-upgrade.version3dropBundleExtension.msg = Šī glabātuve ir jāmigrē uz jaunākas versijas formātu.\n"%1$s" tiks pārsaukta par "%2$s".\nPirms palaišanas pārliecinies, ka ir beigusies sinhronizācija.
-upgrade.version3dropBundleExtension.err.alreadyExists = Automātiskā migrācija neizdevās.\n"%s" jau eksistē.
-# unlock.fxml
-unlock.label.password = Parole
-unlock.label.mountName = Diska nosaukums
-# Fuzzy
-unlock.label.winDriveLetter = Diska burts
-unlock.label.downloadsPageLink = Visas Cryptomator versijas
-unlock.label.advancedHeading = Papildus opcijas
-unlock.button.unlock = Atslēgt glabātuvi
-unlock.button.advancedOptions.show = Vairāk opcijas
-unlock.button.advancedOptions.hide = Mazāk opcijas
-unlock.choicebox.winDriveLetter.auto = Piešķirt automātiski
-unlock.errorMessage.wrongPassword = Nepareiza parole
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Neatbastīta glabātuve. Šī glabātuve ir veidota ar vecāku Cryptomator versiju.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Neatbastīta glabātuve. Šī glabātuve ir veidota ar jaunāku Cryptomator versiju.
-# change_password.fxml
-changePassword.label.oldPassword = Vecā parole
-changePassword.label.newPassword = Jaunā parole
-changePassword.label.retypePassword = Atkārto paroli
-changePassword.label.downloadsPageLink = Visas Cryptomator versijas
-changePassword.button.change = Mainīt paroli
-changePassword.errorMessage.wrongPassword = Nepareiza parole
-changePassword.errorMessage.decryptionFailed = Atšifrēšana neizdevās
-# unlocked.fxml
-unlocked.button.lock = Aizslēgt glabātuvi
-unlocked.moreOptions.reveal = Atklāt disku
-unlocked.label.revealFailed = Komunikācija neizdevās
-unlocked.label.unmountFailed = Diska izgrūšana neizdevās
-unlocked.label.statsEncrypted = šifrēts
-unlocked.label.statsDecrypted = atšifrēts
-unlocked.ioGraph.yAxis.label = Caurlaidība (MiB/s)
-# settings.fxml
-settings.version.label = Versija %s
-settings.checkForUpdates.label = Meklēt atjauninājumus
-# tray icon
-tray.menu.open = Atvērt
-tray.menu.quit = Iziet
-tray.infoMsg.title = Joprojām darbojās
-# Fuzzy
-tray.infoMsg.msg = Cryptomator joprojām darbojās. Iziet var no statusa ikonas.
-tray.infoMsg.msg.osx = Cryptomator is still alive. joprojām darbojās. Iziet var no izvēlnes ikonas.
-initialize.messageLabel.passwordStrength.0 = Ļoti vāja
-initialize.messageLabel.passwordStrength.1 = Vāja
-initialize.messageLabel.passwordStrength.2 = Vidēja
-initialize.messageLabel.passwordStrength.3 = Stipra
-initialize.messageLabel.passwordStrength.4 = Ļoti stipra
-initialize.label.doNotForget = SVARĪGI\: Ja tu aizmirsti paroli, nav ceļa datu atjaunošanai
-main.directoryList.remove.confirmation.title = Noņemt glabātuvi
-main.directoryList.remove.confirmation.header = Vai tiešām vēlie noņemt šo glabātuvi?
-main.directoryList.remove.confirmation.content = Glabātuve tiks noņemta tikai no saraksta. Lai to dzēstu pilnībā, lūdzu nodzēs to no datņu sistēmas.
-upgrade.version3to4.msg = Šī glabātuve ir jāmigrē uz jaunāku formāta versiju. Sifrētie mapju nosaukumi tiks atjaunināti. Pirms palaišanas lūdzu pārliecinies, ka ir pabeigusies sinhronizācija.
-upgrade.version3to4.err.io = Migrācija neizdevās dēļ I/O izņēmuma. Sīkāku informāciju skaties žurnālā.
-# upgrade.fxml
-upgrade.confirmation.label = Jā, esmu pārliecinājies, ka sinhronizācija ir pabeigta.
-unlock.label.savePassword = Saglabāt paroli
-unlock.errorMessage.unauthenticVersionMac = Nevar autentificēt versijas MAC
-unlock.savePassword.delete.confirmation.title = Dzēst saglabāto paroli
-unlock.savePassword.delete.confirmation.header = Vai tiešām vēlies dzēst saglabāto paroli šai glabātuvei?
-unlock.savePassword.delete.confirmation.content = Saglabātā parole nekavējoties tiks izdzēsta. Ja vēlēsies paroli atkārtoti saglabāt, tev būs jāatslēdz glabātuve ar ieslēgtu opciju "Saglabāt paroli".
-settings.debugMode.label = Atkļūdošanas režīms
-upgrade.version3dropBundleExtension.title = Glabātuves 3 versijas atjauninājums (atmet paplašinājumu)
-upgrade.version3to4.title = Glabātuves versijas 3 uz 4 atjauninājums
-upgrade.version4to5.title = Glabātuves versijas 4 uz 5 atjauninājums
-upgrade.version4to5.msg = Šo glabātuvi nepieciešams migrēt uz jaunāku versiju.\nŠifrētās datnes tiks atjauninātas.\nPirms apstiprini, pārliecinies, ka ir beigusies sinhronizācija.\n\nPiezīme\: Visām datnēm modificēšanas datums tiks izmainīts uz šodienas datumu.
-upgrade.version4to5.err.io = Migrācijas kļūda dēļ I/O izņēmuma. Sīkāku informāciju skaties žurnālā.
-unlock.label.revealAfterMount = Atklāt disku
-unlocked.lock.force.confirmation.title = %1$s aizslēgšana neizdevās
-unlocked.lock.force.confirmation.header = Vai jūs vēlaties piespiest aizslēgšanu?
-unlocked.lock.force.confirmation.content = Tas varētu notikt, jo citas programmas joprojām izmanto glabātuves datnes vai arī ir kādas citas problēmas.\n\nProgrammas, kuras turpina izmantot datnes var nedarboties korekti un dati, kas nav ierakstīti glabātuvē, var tikt pazaudēti.
-unlock.label.unlockAfterStartup = Automātiski atslēgt pie startēšanas (eksperimentāls)
-unlock.errorMessage.unlockFailed = Atslēgšana neizdevās. Sīkāku informāciju skaties žurnālā.
-upgrade.version5toX.title = Glabātuves versijas atjaunināšana
-upgrade.version5toX.msg = Šo glabātuvi nepieciešams migrēt uz jaunāku versiju.\nLūdzu pārliecinieties, ka ir pabeigts sinhronizācijas process.
-main.createVault.nonEmptyDir.title = Glabātuves izveide neizdevās
-main.createVault.nonEmptyDir.header = Izvēlētā mape nav tukša
-main.createVault.nonEmptyDir.content = Izvēlētā mape jau satur datnes (iespējams paslēptas). Glabātuve var tikt izveidota tikai tukšā mapē.
-settings.webdav.port.label = WebDAV ports
-settings.webdav.port.prompt = 0 \= izvēlās automātiski
-settings.webdav.port.apply = Pielietot
-settings.webdav.prefGvfsScheme.label = WebDAV shēma
-settings.volume.label = Vēlamais sējuma tips
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Glabātuve tika veiksmīgi izveidota.
-unlock.successLabel.passwordChanged = Parole tika veiksmīgi nomainīta.
-unlock.successLabel.upgraded = Glabātuve tika veiksmīgi atjaunināta.
-# Fuzzy
-unlock.label.useOwnMountPath = Izmantot citu montēšanas vietu
-welcome.askForUpdateCheck.dialog.title = Atjauninājuma pārbaude
-welcome.askForUpdateCheck.dialog.header = Ieslēgt integrēto atjauninājumu pārbaudi?
-welcome.askForUpdateCheck.dialog.content = Rekomendācija\: Ieslēdziet atjauninājumu pārbaudi, lai vienmēr esiet drošs, ka instalēta jaunākā Cryptomator versija ar visiem drošības ielāpiem.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Glabātuve(s) aizslēgšana neizdevās
-main.gracefulShutdown.dialog.header = Izmantotā(s) glabātuve(s)
-main.gracefulShutdown.dialog.content = Vienu vai vairākas glabātuves joprojām izmanto citas programmas. Lūdzu, aizveriet tās, lai ļautu Cryptomator pareizi aizvērties, tad mēģiniet vēlreiz.\n\nJa tas nedarbojas, Cryptomator var piespiedu aizvērt, taču tas var izraisīt datu zudumu un nav ieteicams.
-main.gracefulShutdown.button.tryAgain = Mēģini vēlreiz
-main.gracefulShutdown.button.forceShutdown = Piespiest izslēgšanu
-unlock.pendingMessage.unlocking = Atslēdz glabātuvi...
-unlock.failedDialog.title = Atslēgšana neizdevās
-unlock.failedDialog.header = Atslēgšana neizdevās
-unlock.failedDialog.content.mountPathNonExisting = Montēšanas vieta neeksistē.
-unlock.failedDialog.content.mountPathNotEmpty = Montēšanas vieta nav tukša.
-unlock.label.useReadOnlyMode = Tikai lasīt
-unlock.label.chooseMountPath = Izvēlieties tukšu mapi...
-ctrl.secPasswordField.nonPrintableChars = Parole satur kontroles rakstzīmes.\nRekomentācija\: Noņemiet tās, lai nodrošinātu saderību ar citiem klientiem.
-ctrl.secPasswordField.capsLocked = Caps Lock ir aktivizēts.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

File diff suppressed because it is too large
+ 0 - 130
main/ui/src/main/resources/localization/nl.txt


File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/pl.txt


File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/pt.txt


File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/pt_BR.txt


File diff suppressed because it is too large
+ 0 - 135
main/ui/src/main/resources/localization/ru.txt


+ 0 - 130
main/ui/src/main/resources/localization/sk.txt

@@ -1,130 +0,0 @@
-# Copyright (c) 2016 The Cryptomator Contributors
-# # This file is licensed under the terms of the MIT license.
-# # See the LICENSE.txt file for more info.
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Pridať trezor
-main.directoryList.contextMenu.remove = Odstrániť zo zoznamu
-main.directoryList.contextMenu.changePassword = Zmeniť heslo
-main.addDirectory.contextMenu.new = Vytvoriť nový trezor
-main.addDirectory.contextMenu.open = Otvoriť existujúci trezor
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Kontrolujú sa aktualizácie...
-welcome.newVersionMessage = Verzia %1$s je pripravená na stiahnutie.\nToto je verzia %2$s.
-# initialize.fxml
-initialize.label.password = Heslo
-initialize.label.retypePassword = Zadajte heslo znova
-initialize.button.ok = Vytvoriť trezor
-initialize.messageLabel.alreadyInitialized = Trezor je už inicializovaný
-initialize.messageLabel.initializationFailed = Nepodarilo sa inicializovať trezor. Pozrite súbor záznamov pre viac detailov.
-# notfound.fxml
-notfound.label = Trezor nemohol byť nenájdený. Bol presunutý?
-# upgrade.fxml
-upgrade.button = Upgradnúť trezor
-upgrade.version3dropBundleExtension.msg = Tento trezor musí byť premigrovaný na nový formát. "%1$s" bude premenovaný na "%2$s". Prosím, uistite sa že je dokončená synchronizácia skôr než budete pokračovať.
-upgrade.version3dropBundleExtension.err.alreadyExists = Automatická migrácia zlyhala. "%s" už existuje.
-# unlock.fxml
-unlock.label.password = Heslo
-unlock.label.mountName = Názov jednotky
-# Fuzzy
-unlock.label.winDriveLetter = Označenie jednotky
-unlock.label.downloadsPageLink = Všetky verzie Cryptomatoru
-unlock.label.advancedHeading = Pokročilé nastavenia
-unlock.button.unlock = Odomknúť trezor
-unlock.button.advancedOptions.show = Viac nastavení
-unlock.button.advancedOptions.hide = Menej nastavení
-unlock.choicebox.winDriveLetter.auto = Priradiť automaticky
-unlock.errorMessage.wrongPassword = Nesprávne heslo
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Nepodporovaný trezor. Tento trezor bol vytvorený staršou verziou Cryptromatoru.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Nepodporovaný trezor. Bol vytvorený z novšou verziou Cryptomatoru.
-# change_password.fxml
-changePassword.label.oldPassword = Staré heslo
-changePassword.label.newPassword = Nové heslo
-changePassword.label.retypePassword = Znova zadajte heslo
-changePassword.label.downloadsPageLink = Všetky verzie Cryptomatoru.
-changePassword.button.change = Zmeniť heslo
-changePassword.errorMessage.wrongPassword = Nesprávne heslo
-changePassword.errorMessage.decryptionFailed = Dešifrovanie zlyhalo.
-# unlocked.fxml
-unlocked.button.lock = Zamknúť trezor
-unlocked.moreOptions.reveal = Odhaliť jednotku
-unlocked.label.revealFailed = Príkaz zlyhal
-unlocked.label.unmountFailed = Odpájanie jednotky zlyhalo
-unlocked.label.statsEncrypted = zašifrované
-unlocked.label.statsDecrypted = dešifrované
-unlocked.ioGraph.yAxis.label = Priepustnosť (MiB/s)
-# settings.fxml
-settings.version.label = Verzia %s
-settings.checkForUpdates.label = Skontrolovať aktualizácie
-# tray icon
-tray.menu.open = Otvoriť
-tray.menu.quit = Vypnúť
-tray.infoMsg.title = Stále beží
-tray.infoMsg.msg = Cryptomator je stále spustený. Vypnite ho pomocou ikony v systémovej lište.
-tray.infoMsg.msg.osx = Cryptomator je stále sputený. Ukončite ho pomocou ikony v menu.
-initialize.messageLabel.passwordStrength.0 = Veľmi slabé
-initialize.messageLabel.passwordStrength.1 = Slabé
-initialize.messageLabel.passwordStrength.2 = Dobré
-initialize.messageLabel.passwordStrength.3 = Silné
-initialize.messageLabel.passwordStrength.4 = Veľmi silné
-initialize.label.doNotForget = DÔLEŽITÉ\: Ak zabudnete heslo, nie je možné získať späť vaše dáta.
-main.directoryList.remove.confirmation.title = Odstrániť trezor
-main.directoryList.remove.confirmation.header = Skutočne chcete odstrániť tento trezor?
-main.directoryList.remove.confirmation.content = Trezor bude odstránení zo zoznamu. Pre úplné zmazanie vymažte súbor s trezorom.
-upgrade.version3to4.msg = This vault needs to be migrated to a newer format.\nEncrypted folder names will be updated.\nPlease make sure synchronization has finished before proceeding.
-upgrade.version3to4.err.io = Migrácia zlyhala kvôli I/O Exception. Skontrolujte log pre viac detailov
-# upgrade.fxml
-upgrade.confirmation.label = Áno, som si istý že synchronizácia je hotová
-unlock.label.savePassword = Uložiť heslo
-unlock.errorMessage.unauthenticVersionMac = Could not authenticate version MAC.
-unlock.savePassword.delete.confirmation.title = Zmazať uložené heslo
-unlock.savePassword.delete.confirmation.header = Naozaj chcete zmazať uložené heslo pre tento trezor?
-unlock.savePassword.delete.confirmation.content = The saved password of this vault will be immediately deleted from your system keychain. If you'd like to save your password again, you'd have to unlock your vault with the "Save Password" option enabled.
-settings.debugMode.label = Debug Mode
-upgrade.version3dropBundleExtension.title = Vault Version 3 Upgrade (Drop Bundle Extension)
-upgrade.version3to4.title = Vault Version 3 to 4 Upgrade
-upgrade.version4to5.title = Vault Version 4 to 5 Upgrade
-upgrade.version4to5.msg = This vault needs to be migrated to a newer format.\nEncrypted files will be updated.\nPlease make sure synchronization has finished before proceeding.\n\nNote\: Modification date of all files will be changed to the current date/time in the process.
-upgrade.version4to5.err.io = Migration failed due to an I/O Exception. See log file for details.
-unlock.label.revealAfterMount = Reveal Drive
-unlocked.lock.force.confirmation.title = Locking of %1$s failed
-unlocked.lock.force.confirmation.header = Do you want to force locking?
-unlocked.lock.force.confirmation.content = This may be because other programs are still accessing files in the vault or because some other problem occurred.\n\nPrograms still accessing the files may not work correctly and data not already written by those programs may be lost.
-unlock.label.unlockAfterStartup = Auto-Unlock on Start (Experimental)
-unlock.errorMessage.unlockFailed = Unlock failed. See log file for details.
-upgrade.version5toX.title = Vault Version Upgrade
-upgrade.version5toX.msg = This vault needs to be migrated to a newer format.\nPlease make sure synchronization has finished before proceeding.
-main.createVault.nonEmptyDir.title = Creating vault failed
-main.createVault.nonEmptyDir.header = Chosen directory is not empty
-main.createVault.nonEmptyDir.content = The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Choose automatically
-settings.webdav.port.apply = Apply
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Preferred Volume Type
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Vault was successfully created.
-unlock.successLabel.passwordChanged = Password was successfully changed.
-unlock.successLabel.upgraded = Vault was successfully upgraded.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/sv.txt


File diff suppressed because it is too large
+ 0 - 126
main/ui/src/main/resources/localization/th.txt


+ 0 - 128
main/ui/src/main/resources/localization/tr.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = Kasa eklemek için buraya tıkla
-main.directoryList.contextMenu.remove = Listeden sil
-main.directoryList.contextMenu.changePassword = Şifreyi Değiştir
-main.addDirectory.contextMenu.new = Yeni Bir Kasa Oluştur
-main.addDirectory.contextMenu.open = Var Olan Kasayı Aç
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = Güncellemeler kontrol ediliyor...
-welcome.newVersionMessage = Sürüm %1$s indirilebilir.\nŞu anki sürüm\: %2$s
-# initialize.fxml
-initialize.label.password = Şifre
-initialize.label.retypePassword = Şifre (tekrar)
-initialize.button.ok = Kasa Oluştur
-initialize.messageLabel.alreadyInitialized = Kasa zaten başlatıldı
-initialize.messageLabel.initializationFailed = Kasa başlatılamadı. Detaylar için günlük dosyasına bakın.
-# notfound.fxml
-notfound.label = Kasa bulunamadı. Yeri değişmiş olabilir mi ?
-# upgrade.fxml
-upgrade.button = Kasayı Yükselt
-upgrade.version3dropBundleExtension.msg = Bu kasanın yeni formata geçirilmesi gerekmekte. "%1$s" ismi "%2$s" olarak değiştirilecek. Devam etmeden önce senkronizasyonun bittiğine emin olun.
-upgrade.version3dropBundleExtension.err.alreadyExists = Otomatik taşıma sırasında hata oluştu. "%s" zaten bulunmakta.
-# unlock.fxml
-unlock.label.password = Şifre
-unlock.label.mountName = Sürücü Adı
-# Fuzzy
-unlock.label.winDriveLetter = Sürücü Konumu
-unlock.label.downloadsPageLink = Tüm Cryptomator sürümleri
-unlock.label.advancedHeading = Gelişmiş Seçenekler
-unlock.button.unlock = Kasayı Aç
-unlock.button.advancedOptions.show = Daha Fazla Seçenek
-unlock.button.advancedOptions.hide = Daha Az Seçenek
-unlock.choicebox.winDriveLetter.auto = Otomatik ata
-unlock.errorMessage.wrongPassword = Yanlış şifre
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = Desteklenmeyen kasa. Bu kasa daha eski bir Cryptomator sürümü ile oluşturulmuş.
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = Desteklenmeyen kasa. Bu kasa daha yeni bir Cryptomator sürümü ile oluşturulmuş.
-# change_password.fxml
-changePassword.label.oldPassword = Eski Şifre
-changePassword.label.newPassword = Yeni Şifre
-changePassword.label.retypePassword = Yeni Şifre (tekrar)
-changePassword.label.downloadsPageLink = Tüm Cryptomator sürümleri
-changePassword.button.change = Şifreyi Değiştir
-changePassword.errorMessage.wrongPassword = Yanlış şifre
-changePassword.errorMessage.decryptionFailed = Şifre çözme başarısız
-# unlocked.fxml
-unlocked.button.lock = Kasayı Kilitle
-unlocked.moreOptions.reveal = Sürücüyü Göster
-unlocked.label.revealFailed = Komut başarısız
-unlocked.label.unmountFailed = Sürücü çıkarma başarısız
-unlocked.label.statsEncrypted = şifrelenmiş
-unlocked.label.statsDecrypted = şifresi çözülmüş
-unlocked.ioGraph.yAxis.label = Veri hacmi (MiB/s)
-# settings.fxml
-settings.version.label = Sürüm %s
-settings.checkForUpdates.label = Güncellemeleri denetle
-# tray icon
-tray.menu.open = Aç
-tray.menu.quit = Çıkış
-tray.infoMsg.title = Hala Çalışıyor
-tray.infoMsg.msg = Cryptomator hala çalışıyor. Bildirim simgesi ile çıkış yapın.
-tray.infoMsg.msg.osx = Cryptomator hala çalışıyor. Menü bar simgesi ile çıkış yapın.
-initialize.messageLabel.passwordStrength.0 = Çok zayıf
-initialize.messageLabel.passwordStrength.1 = Zayıf
-initialize.messageLabel.passwordStrength.2 = İyi
-initialize.messageLabel.passwordStrength.3 = Güçlü
-initialize.messageLabel.passwordStrength.4 = Çok güçlü
-initialize.label.doNotForget = ÖNEMLİ\: Şifrenizi unutursanız, geri almanın bir yolu olmayacaktır.
-main.directoryList.remove.confirmation.title = Kasayı Sil
-main.directoryList.remove.confirmation.header = Kasayı silmek istediğinize emin misiniz ?
-main.directoryList.remove.confirmation.content = Kasa yalnızca listeden silinecek. Tamamen silmek için dosya sisteminizden dosyaları elle siliniz.
-upgrade.version3to4.msg = Bu kasanın yeni formata geçirilmesi gerekmekte. Şifreli klasör isimleri güncellenecek. Devam etmeden önce senkronizasyonun bittiğine emin olun.
-upgrade.version3to4.err.io = Format değiştirme işlemi G/Ç Hatası dolayısı ile başarısız oldu. Detaylar için günlük dosyasına bakın
-# upgrade.fxml
-upgrade.confirmation.label = Evet, senkronizasyonun bittiğine eminim
-unlock.label.savePassword = Şifreyi Kaydet
-unlock.errorMessage.unauthenticVersionMac = MAC versiyonu doğrulanamadı
-unlock.savePassword.delete.confirmation.title = Kayıtlı Şifreyi Sil
-unlock.savePassword.delete.confirmation.header = Bu kasanın şifresini gerçekten silmek istiyor musun?
-unlock.savePassword.delete.confirmation.content = Bu kasa için kayıtlı şifre sisteminizden silindi. Eğer şifrenizi tekrar kaydetmek isterseniz, kasanızın şifresini açarken "Şifreyi Kaydet" seçeneğini aktif edebilirsiniz.
-settings.debugMode.label = Hata Ayıklama Modu
-upgrade.version3dropBundleExtension.title = Kasa Sürüm 3 Yükseltmesi (Bundle Uzantısı Kaldırıldı)
-upgrade.version3to4.title = Kasa Sürüm 3'ten 4'e Yükseltmesi
-upgrade.version4to5.title = Kasa Sürüm 4'ten 5'e Yükseltmesi\n
-upgrade.version4to5.msg = Bu kasanın daha yeni formata geçirilmesi gerekiyor.\nŞifrelenmiş dosyalar güncellenebilir.\nLütfen bu işlemden önce senkronizasyonun bittiğine emin olun.\n\nNot\: Tüm dosyalar için değiştirme tarihi şuan ki işlem tarihi olacak.
-upgrade.version4to5.err.io = Yeni formata geçilirken G/Ç Hatası oluştu. Detaylar için günlük dosyasına bakın.
-unlock.label.revealAfterMount = Sürücüyü Göster
-unlocked.lock.force.confirmation.title = Kilitlemenin %1$s sırasında hata oluştu.
-unlocked.lock.force.confirmation.header = Zorla kilitlemek istiyor musun?
-unlocked.lock.force.confirmation.content = Bunun nedeni, diğer programların kasadaki dosyalara hala erişiyor olmaları veya başka bir sorun oluşması olabilir.\n\nHala dosyalara erişen programlar düzgün çalışmayabilir ve bu programlar tarafından henüz yazılmamış veriler kaybolabilir.\n
-unlock.label.unlockAfterStartup = Başlangıçta Otomatik Kilit Aç (Deneysel)
-unlock.errorMessage.unlockFailed = Kilit açma hatalı. Detaylar için günlük dosyasına bakın.
-upgrade.version5toX.title = Kasa Versiyonu Yükseltme
-upgrade.version5toX.msg = Bu kasanın daha yeni formata geçirilmesi gerekiyor.\nŞifrelenmiş dosyalar güncellenebilir.\nLütfen bu işlemden önce senkronizasyonun bittiğine emin olun.
-main.createVault.nonEmptyDir.title = Kasa oluşturma hatası
-main.createVault.nonEmptyDir.header = Seçtiğiniz klasör boş değil
-main.createVault.nonEmptyDir.content = Seçtiğiniz klasör hali hazırda başka dosyalar içeriyor (gizli olabilir). Yeni bir kasa sadece boş klasör içerisine oluşturulabilir.
-settings.webdav.port.label = WebDAV Portu
-settings.webdav.port.prompt = 0 \= Otomatik Seç
-settings.webdav.port.apply = Uygula
-settings.webdav.prefGvfsScheme.label = WebDAV Şeması
-settings.volume.label = Tercih Edilen Bölüm Türü
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Kasa başarıyla oluşturuldu.
-unlock.successLabel.passwordChanged = Şifre başarıyla değiştirildi.
-unlock.successLabel.upgraded = Kasa başarıyla yükseltildi.
-# Fuzzy
-unlock.label.useOwnMountPath = Özel Bağlantı Noktası Kullan
-welcome.askForUpdateCheck.dialog.title = Güncelleme kontrolü
-welcome.askForUpdateCheck.dialog.header = Entegre güncelleme kontrolü etkinleştirilsin mi?
-welcome.askForUpdateCheck.dialog.content = Önerilen\: Yüklü tüm güvenlik yamalarıyla birlikte en yeni Cryptomator sürümüne sahip olduğunuzdan emin olmak için güncelleme kontrolünü etkinleştirin.\n\nBunu istediğiniz zaman ayarların içinden değiştirebilirsiniz.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Kasa(lar) kilitlenemedi
-main.gracefulShutdown.dialog.header = Kasa(lar) kullanımda
-main.gracefulShutdown.dialog.content = Bir veya daha fazla kasa hala başka programlar tarafından kullanılıyor. Lütfen Cryptomator'ın düzgün bir şekilde kapanmasını sağlamak için kapatın, ardından tekrar deneyin.\n\nBu işe yaramazsa, Cryptomator zorla kapatılabilir, ancak bu veri kaybına neden olabilir ve önerilmemektedir.
-main.gracefulShutdown.button.tryAgain = Tekrar Dene
-main.gracefulShutdown.button.forceShutdown = Zorla Kapat
-unlock.pendingMessage.unlocking = Kasa kilidi açılıyor...
-unlock.failedDialog.title = Kilitleme hatalı
-unlock.failedDialog.header = Kilitleme hatalı
-unlock.failedDialog.content.mountPathNonExisting = Bağlantı noktası mevcut değil.
-unlock.failedDialog.content.mountPathNotEmpty = Bağlantı noktası boş değil.
-unlock.label.useReadOnlyMode = Salt Okunur
-unlock.label.chooseMountPath = Boş klasör seçin...
-ctrl.secPasswordField.nonPrintableChars = Parola kontrol karakterlerini içeriyor.\nÖneri\: Diğer cihazlara uyumluluğu sağlamak için bunları kaldırın.
-ctrl.secPasswordField.capsLocked = Büyük Harf etkin.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

File diff suppressed because it is too large
+ 0 - 128
main/ui/src/main/resources/localization/uk.txt


+ 0 - 129
main/ui/src/main/resources/localization/zh.txt

@@ -1,129 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = 单击此处添加资料库
-main.directoryList.contextMenu.remove = 从列表中移除
-main.directoryList.contextMenu.changePassword = 变更密码
-main.addDirectory.contextMenu.new = 创建新资料库
-main.addDirectory.contextMenu.open = 打开现有资料库
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = 检查更新中……
-welcome.newVersionMessage = 新版本 %1$s 已发布\n当前版本%2$s
-# initialize.fxml
-initialize.label.password = 密码
-initialize.label.retypePassword = 重新输入密码
-initialize.button.ok = 创建资料库
-initialize.messageLabel.alreadyInitialized = 资料库已创建
-initialize.messageLabel.initializationFailed = 无法创建资料库。请查看日志来获取详细信息。
-# notfound.fxml
-notfound.label = 找不到资料库,是否已移动到其他地方?
-# upgrade.fxml
-upgrade.button = 升级资料库
-upgrade.version3dropBundleExtension.msg = 此资料库需要升级至最新版本,\n"%1$s" 将重命名为 "%2$s"。\n请确保同步完成后再继续操作。
-upgrade.version3dropBundleExtension.err.alreadyExists = 自动迁移失败。\n「%s」已存在。
-# unlock.fxml
-unlock.label.password = 密码
-unlock.label.mountName = 驱动器名称
-# Fuzzy
-unlock.label.winDriveLetter = 驱动器盘符
-unlock.label.downloadsPageLink = 所有 Cryptomator 版本
-unlock.label.advancedHeading = 高级选项
-unlock.button.unlock = 解锁资料库
-unlock.button.advancedOptions.show = 更多选项
-unlock.button.advancedOptions.hide = 更少选项
-unlock.choicebox.winDriveLetter.auto = 自动分配
-unlock.errorMessage.wrongPassword = 密码错误
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = 此资料库属于过时版本的 Cryptomator,无法在此版本中使用。
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = 此资料库属于较新版本的 Cryptomator,无法在此版本中使用。
-# change_password.fxml
-changePassword.label.oldPassword = 原密码
-changePassword.label.newPassword = 新密码
-changePassword.label.retypePassword = 再次输入新密码
-changePassword.label.downloadsPageLink = 所有 Cryptomator 版本
-changePassword.button.change = 更换密码
-changePassword.errorMessage.wrongPassword = 密码错误
-changePassword.errorMessage.decryptionFailed = 解密失败
-# unlocked.fxml
-unlocked.button.lock = 锁定资料库
-unlocked.moreOptions.reveal = 打开驱动器
-unlocked.label.revealFailed = 命令无法执行
-unlocked.label.unmountFailed = 无法弹出驱动器
-unlocked.label.statsEncrypted = 已加密
-unlocked.label.statsDecrypted = 已解密
-unlocked.ioGraph.yAxis.label = 吞吐量 (MB/s)
-# settings.fxml
-settings.version.label = 版本 %s
-settings.checkForUpdates.label = 检查更新
-# tray icon
-tray.menu.open = 打开
-tray.menu.quit = 退出
-tray.infoMsg.title = 仍在运行
-tray.infoMsg.msg = Cryptomator 仍在运行。 请从托盘图标中退出。
-tray.infoMsg.msg.osx = Cryptomator 仍在运行。 请从菜单栏图标中退出。
-initialize.messageLabel.passwordStrength.0 = 极弱
-initialize.messageLabel.passwordStrength.1 = 较弱
-initialize.messageLabel.passwordStrength.2 = 一般
-initialize.messageLabel.passwordStrength.3 = 较强
-initialize.messageLabel.passwordStrength.4 = 极强
-initialize.label.doNotForget = 重要:若忘记此密码,数据将无法找回。
-main.directoryList.remove.confirmation.title = 移除资料库
-main.directoryList.remove.confirmation.header = 确定要移除此资料库吗?
-main.directoryList.remove.confirmation.content = 资料库将仅从列表中移除,如需永久删除,请从文件系统中删除这些文件。
-upgrade.version3to4.msg = 此资料库需要升级至最新版本,\n已加密的文件夹名称将更新。\n请确保同步完成后再继续操作。
-upgrade.version3to4.err.io = 由于 I/O 异常,迁移失败。请查看日志来获得详细信息。
-# upgrade.fxml
-upgrade.confirmation.label = 没错,我确定同步均已完成。
-unlock.label.savePassword = 保存密码
-# This Mac means Mac(Apple) or Mac address?
-unlock.errorMessage.unauthenticVersionMac = 无法确认消息认证码版本。
-unlock.savePassword.delete.confirmation.title = 删除已储存的密码
-unlock.savePassword.delete.confirmation.header = 真的要删除为此资料库储存的密码吗?
-unlock.savePassword.delete.confirmation.content = 此资料库储存的密码将立即从系统钥匙串中删除。如果您想再次保存密码,则必须通过启用“保存密码”选项启用您的密码库。
-settings.debugMode.label = 调试模式
-upgrade.version3dropBundleExtension.title = 升级资料库到第三版(移除 Bundle Extension)
-upgrade.version3to4.title = 升级资料库到第四版
-upgrade.version4to5.title = 升级资料库到第五版
-upgrade.version4to5.msg = 此资料库需要升级至最新版本,\n已加密的数据将被更新。\n请确保同步完成后再继续操作。
-upgrade.version4to5.err.io = 升级因 I/O 错误失败。请查看日志来获得详细信息。
-unlock.label.revealAfterMount = 显示驱动器
-unlocked.lock.force.confirmation.title = 无法锁定 %1$s
-unlocked.lock.force.confirmation.header = 要强制锁定吗?
-unlocked.lock.force.confirmation.content = 此错误可能是因为其他应用程序仍在使用此资料库中的文件,或遇到了其他问题。\n\n如强制锁定,正在使用文件的应用程序可能会出错并丢失部分还没有保存的资料。
-unlock.label.unlockAfterStartup = 启动时自动解锁(试验功能)
-unlock.errorMessage.unlockFailed = 无法解锁。请查看日志来获得详细信息。
-upgrade.version5toX.title = 资料库版本升级
-upgrade.version5toX.msg = 此资料库需要升级至最新版本,\n请确保同步完成后再继续操作。
-main.createVault.nonEmptyDir.title = 创建资料库失败
-main.createVault.nonEmptyDir.header = 选择的目录不为空
-main.createVault.nonEmptyDir.content = 选择的目录含有文件(可能是隐藏的)。资料库只能创建在空目录
-settings.webdav.port.label = webDav端口
-settings.webdav.port.prompt = 0\=自动选择WebDav端口
-settings.webdav.port.apply = 设定
-settings.webdav.prefGvfsScheme.label = WebDAV计划
-settings.volume.label = 首选卷类型
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = 资料库成功创建
-unlock.successLabel.passwordChanged = 密码成功更改
-unlock.successLabel.upgraded = Cryptomator 成功升级
-# Fuzzy
-unlock.label.useOwnMountPath = 无效的挂载点
-welcome.askForUpdateCheck.dialog.title = 检查更新
-welcome.askForUpdateCheck.dialog.header = 启用更新检查?
-welcome.askForUpdateCheck.dialog.content = 启用检查更新,Cryptomator将从Cryptomator服务器获取当前版本,并在有新版本时提示。\n我们建议您启用更新检查,以确保安装了最新版的Cryptomator,并安装了所有安全补丁。如果您未启用更新检查,则需要您自己到https\://cryptomator.org/downloads/ 检查并下载最新版本。\n你可以随时在设置中更改此设置。
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = 资料库锁定失败
-main.gracefulShutdown.dialog.header = 资料库正在使用
-main.gracefulShutdown.dialog.content = 一个或多个资料库正在被其他应用程序调用。若要正常退出 Cryptomator 请先关闭这些应用,然后重试。\n\n如果上述操作无效,也可以强制退出 Cryptomator,但这将导致数据丢失,请尽量避免如此退出。
-main.gracefulShutdown.button.tryAgain = 重试
-main.gracefulShutdown.button.forceShutdown = 强制退出
-unlock.pendingMessage.unlocking = 解锁资料库
-unlock.failedDialog.title = 解锁失败
-unlock.failedDialog.header = 解锁失败
-unlock.failedDialog.content.mountPathNonExisting = 挂载点不存在。
-unlock.failedDialog.content.mountPathNotEmpty = 挂载点非空。
-unlock.label.useReadOnlyMode = 只读
-unlock.label.chooseMountPath = 选择空目录...
-ctrl.secPasswordField.nonPrintableChars = 密码包含控制字符。\n建议\:删除它们,以确保与其他客户机兼容。
-ctrl.secPasswordField.capsLocked = 大写锁定被激活
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 127
main/ui/src/main/resources/localization/zh_HK.txt

@@ -1,127 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = 撳呢度新增檔案夾萬
-main.directoryList.contextMenu.remove = 由清單移除
-main.directoryList.contextMenu.changePassword = 改密碼
-main.addDirectory.contextMenu.new = 建立新嘅檔案夾萬
-main.addDirectory.contextMenu.open = 開啓現有嘅檔案夾萬
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = 檢查更新...
-welcome.newVersionMessage = 可以下載版本%1$s。呢個係%2$s。
-# initialize.fxml
-initialize.label.password = 密碼
-initialize.label.retypePassword = 重新輸入密碼
-initialize.button.ok = 建立檔案夾萬
-initialize.messageLabel.alreadyInitialized = 檔案夾萬已初始化
-initialize.messageLabel.initializationFailed = 初始化唔到檔案夾萬。詳細資訊請睇記錄檔。
-# notfound.fxml
-notfound.label = 搵唔到檔案夾萬。係咪轉移咗去其他地方?
-# upgrade.fxml
-upgrade.button = 升級檔案夾萬
-upgrade.version3dropBundleExtension.msg = 這個檔案夾萬要轉換做新格式。\n"%1$s"將會改名為"%2$s"。\n請確認檔案同步完再繼續。
-upgrade.version3dropBundleExtension.err.alreadyExists = 自動轉移失敗。\n"%s"已存在。
-# unlock.fxml
-unlock.label.password = 密碼
-unlock.label.mountName = 磁碟名
-# Fuzzy
-unlock.label.winDriveLetter = 磁碟代號
-unlock.label.downloadsPageLink = 所有Cryptomator版本
-unlock.label.advancedHeading = 進階選項
-unlock.button.unlock = 解鎖檔案夾萬
-unlock.button.advancedOptions.show = 更多選項
-unlock.button.advancedOptions.hide = 更少選項
-unlock.choicebox.winDriveLetter.auto = 自動指定
-unlock.errorMessage.wrongPassword = 密碼錯誤
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = 呢個檔案夾萬係由舊版Cryptomator創建嘅,並唔支援。
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = 呢個檔案夾萬係由新版Cryptomator創建嘅,並唔支援。
-# change_password.fxml
-changePassword.label.oldPassword = 舊密碼
-changePassword.label.newPassword = 新密碼
-changePassword.label.retypePassword = 重新輸入密碼
-changePassword.label.downloadsPageLink = 所有Cryptomator版本
-changePassword.button.change = 改密碼
-changePassword.errorMessage.wrongPassword = 密碼錯誤
-changePassword.errorMessage.decryptionFailed = 解密失敗
-# unlocked.fxml
-unlocked.button.lock = 鎖起檔案夾萬
-unlocked.moreOptions.reveal = 打開磁碟
-unlocked.label.revealFailed = 指令錯誤
-unlocked.label.unmountFailed = 移除磁碟錯誤
-unlocked.label.statsEncrypted = 加密的
-unlocked.label.statsDecrypted = 解密的
-unlocked.ioGraph.yAxis.label = 傳輸量(MIB / S)
-# settings.fxml
-settings.version.label = 版本%s
-settings.checkForUpdates.label = 檢查更新
-# tray icon
-tray.menu.open = 開啓
-tray.menu.quit = 離開
-tray.infoMsg.title = 仲運作緊
-tray.infoMsg.msg = Cryptomator仍然在運作。從工具列的圖示點選離開。
-tray.infoMsg.msg.osx = Cryptomator仍然在運作。從選單列上點選離開。
-initialize.messageLabel.passwordStrength.0 = 非常弱的
-initialize.messageLabel.passwordStrength.1 = 弱的
-initialize.messageLabel.passwordStrength.2 = 正常的
-initialize.messageLabel.passwordStrength.3 = 強的
-initialize.messageLabel.passwordStrength.4 = 非常強的
-initialize.label.doNotForget = 重要:如果你忘記的密碼,就無法還原你的資料。
-main.directoryList.remove.confirmation.title = 移除檔案庫
-main.directoryList.remove.confirmation.header = 你真的想要移除這個檔案庫?
-main.directoryList.remove.confirmation.content = 這個檔案庫只會從清單中移除。如果要永久刪除,請從檔案系統中刪除。
-upgrade.version3to4.msg = 這個檔案庫需要被轉移到新的格式。\n加密的資料夾名稱將會被更新。\n在進行之前,請確認同步已完成。
-upgrade.version3to4.err.io = 由於I/O的例外,轉移失敗。取得詳細資訊,請查看紀錄。
-# upgrade.fxml
-upgrade.confirmation.label = 是的,請確認同步已完成。
-unlock.label.savePassword = 儲存密碼
-unlock.errorMessage.unauthenticVersionMac = 無法認證消息驗證碼版本。
-unlock.savePassword.delete.confirmation.title = 刪除儲存咗嘅密碼
-unlock.savePassword.delete.confirmation.header = Do you really want to delete the saved password of this vault?
-unlock.savePassword.delete.confirmation.content = The saved password of this vault will be immediately deleted from your system keychain. If you'd like to save your password again, you'd have to unlock your vault with the "Save Password" option enabled.
-settings.debugMode.label = Debug Mode
-upgrade.version3dropBundleExtension.title = Vault Version 3 Upgrade (Drop Bundle Extension)
-upgrade.version3to4.title = Vault Version 3 to 4 Upgrade
-upgrade.version4to5.title = Vault Version 4 to 5 Upgrade
-upgrade.version4to5.msg = This vault needs to be migrated to a newer format.\nEncrypted files will be updated.\nPlease make sure synchronization has finished before proceeding.\n\nNote\: Modification date of all files will be changed to the current date/time in the process.
-upgrade.version4to5.err.io = Migration failed due to an I/O Exception. See log file for details.
-unlock.label.revealAfterMount = Reveal Drive
-unlocked.lock.force.confirmation.title = Locking of %1$s failed
-unlocked.lock.force.confirmation.header = Do you want to force locking?
-unlocked.lock.force.confirmation.content = This may be because other programs are still accessing files in the vault or because some other problem occurred.\n\nPrograms still accessing the files may not work correctly and data not already written by those programs may be lost.
-unlock.label.unlockAfterStartup = Auto-Unlock on Start (Experimental)
-unlock.errorMessage.unlockFailed = Unlock failed. See log file for details.
-upgrade.version5toX.title = Vault Version Upgrade
-upgrade.version5toX.msg = This vault needs to be migrated to a newer format.\nPlease make sure synchronization has finished before proceeding.
-main.createVault.nonEmptyDir.title = Creating vault failed
-main.createVault.nonEmptyDir.header = Chosen directory is not empty
-main.createVault.nonEmptyDir.content = The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= Choose automatically
-settings.webdav.port.apply = Apply
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Preferred Volume Type
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = Vault was successfully created.
-unlock.successLabel.passwordChanged = Password was successfully changed.
-unlock.successLabel.upgraded = Vault was successfully upgraded.
-unlock.label.useOwnMountPath = Custom Mount Point
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 128
main/ui/src/main/resources/localization/zh_TW.txt

@@ -1,128 +0,0 @@
-app.name = Cryptomator
-# main.fxml
-main.emptyListInstructions = 按這裡新增檔案庫
-main.directoryList.contextMenu.remove = 從清單移除
-main.directoryList.contextMenu.changePassword = 變更密碼
-main.addDirectory.contextMenu.new = 建立新的檔案庫
-main.addDirectory.contextMenu.open = 打開現有的檔案庫
-# welcome.fxml
-welcome.checkForUpdates.label.currentlyChecking = 檢查更新...
-welcome.newVersionMessage = 版本 %1$s 可下載。這是 %2$s 。
-# initialize.fxml
-initialize.label.password = 密碼
-initialize.label.retypePassword = 重新輸入密碼
-initialize.button.ok = 建立檔案庫
-initialize.messageLabel.alreadyInitialized = 已初始化檔案庫
-initialize.messageLabel.initializationFailed = 無法初始化檔案庫。取得詳細資訊,請查看日誌檔。
-# notfound.fxml
-notfound.label = 無法找到檔案庫。已經移置別的地方?
-# upgrade.fxml
-upgrade.button = 升級檔案庫
-upgrade.version3dropBundleExtension.msg = 這個檔案庫需要被轉移到新的格式。\n"%1$s" 將會重新命名為 "%2$s"。\n在進行之前,請確認同步已完成。
-upgrade.version3dropBundleExtension.err.alreadyExists = 自動轉移失敗。\n"%s" 已存在。
-# unlock.fxml
-unlock.label.password = 密碼
-unlock.label.mountName = 磁碟名稱
-# Fuzzy
-unlock.label.winDriveLetter = 磁碟代號
-unlock.label.downloadsPageLink = 所有的 Cryptomator 版本
-unlock.label.advancedHeading = 進階選項
-unlock.button.unlock = 解鎖檔案庫
-unlock.button.advancedOptions.show = 更多選項
-unlock.button.advancedOptions.hide = 更少選項
-unlock.choicebox.winDriveLetter.auto = 自動指定
-unlock.errorMessage.wrongPassword = 錯誤的密碼
-unlock.errorMessage.unsupportedVersion.vaultOlderThanSoftware = 不支援的檔案庫。這個檔案庫是由舊版本的 Cryptomator 所建立的。
-unlock.errorMessage.unsupportedVersion.softwareOlderThanVault = 不支援的檔案庫。這個檔案庫是由新版本的 Cryptomator 所建立的。
-# change_password.fxml
-changePassword.label.oldPassword = 舊密碼
-changePassword.label.newPassword = 新密碼
-changePassword.label.retypePassword = 重新輸入密碼
-changePassword.label.downloadsPageLink = 所有的 Cryptomator 版本
-changePassword.button.change = 變更密碼
-changePassword.errorMessage.wrongPassword = 錯誤的密碼
-changePassword.errorMessage.decryptionFailed = 解密失敗
-# unlocked.fxml
-unlocked.button.lock = 鎖住檔案庫
-unlocked.moreOptions.reveal = 打開磁碟
-unlocked.label.revealFailed = 指令錯誤
-unlocked.label.unmountFailed = 插入磁碟錯誤
-unlocked.label.statsEncrypted = 加密的
-unlocked.label.statsDecrypted = 解密的
-unlocked.ioGraph.yAxis.label = 傳輸量 (MiB/s)
-# settings.fxml
-settings.version.label = 版本 %s
-settings.checkForUpdates.label = 檢查更新
-# tray icon
-tray.menu.open = 打開
-tray.menu.quit = 離開
-tray.infoMsg.title = 仍然在執行
-tray.infoMsg.msg = Cryptomator 仍然在運作。從工具列的圖示點選離開。
-tray.infoMsg.msg.osx = Cryptomator 仍然在運作。從選單列上點選離開。
-initialize.messageLabel.passwordStrength.0 = 非常弱的
-initialize.messageLabel.passwordStrength.1 = 弱的
-initialize.messageLabel.passwordStrength.2 = 正常的
-initialize.messageLabel.passwordStrength.3 = 強的
-initialize.messageLabel.passwordStrength.4 = 非常強的
-initialize.label.doNotForget = 重要:如果你忘記的密碼,就無法還原你的資料。
-main.directoryList.remove.confirmation.title = 移除檔案庫
-main.directoryList.remove.confirmation.header = 你真的想要移除這個檔案庫?
-main.directoryList.remove.confirmation.content = 這個檔案庫只會從清單中移除。如果要永久刪除,請從檔案系統中刪除。
-upgrade.version3to4.msg = 這個檔案庫需要被轉移到新的格式。\n加密的資料夾名稱將會被更新。\n在進行之前,請確認同步已完成。
-upgrade.version3to4.err.io = 由於 I/O 的例外,轉移失敗。取得詳細資訊,請查看日誌檔。
-# upgrade.fxml
-upgrade.confirmation.label = 是的,請確認同步已完成。
-unlock.label.savePassword = 儲存密碼
-unlock.errorMessage.unauthenticVersionMac = 無法認證消息驗證碼版本。
-unlock.savePassword.delete.confirmation.title = 刪除儲存的密碼
-unlock.savePassword.delete.confirmation.header = 你真的想要刪除這個檔案庫的儲存密碼?
-unlock.savePassword.delete.confirmation.content = 此檔案庫的儲存密碼會被立即從系統的鑰匙圈中刪除。如果你想再次儲存密碼,必須在解鎖檔案庫時,開啟「儲存密碼」。
-settings.debugMode.label = 除錯模式
-upgrade.version3dropBundleExtension.title = 檔案庫版本 3 升級(Drop Bundle 套件)
-upgrade.version3to4.title = 檔案庫版本 3 到 4 升級
-upgrade.version4to5.title = 檔案庫版本 4 到 5 升級
-upgrade.version4to5.msg = 這個檔案庫需要被遷移到新的格式。\n加密的檔案將會被更新。\n在處理前,請確保同步已經完成。\n\n註記:所有檔案的更改日期將會被變更為目前處理的日期/時間。
-upgrade.version4to5.err.io = 由於 I/O 異常導致遷移失敗。詳細請見日誌檔。
-unlock.label.revealAfterMount = 打開磁碟
-unlocked.lock.force.confirmation.title = %1$s 鎖定失敗
-unlocked.lock.force.confirmation.header = 你想要強制鎖定?
-unlocked.lock.force.confirmation.content = 這可能是因為其他軟體仍在存取這個檔案庫,或者發生其他問題。\n\n仍然在存取檔案的軟體可能無法正常運作,而且會造成寫入的資料遺失。
-unlock.label.unlockAfterStartup = 啟動時,自動解鎖(實驗中)
-unlock.errorMessage.unlockFailed = 解鎖失敗。詳請查看日誌檔。
-upgrade.version5toX.title = 檔案庫版本升級
-upgrade.version5toX.msg = 這個檔案庫需要轉移到新的格式。\n進行前,請確認已經完成所有同步。
-main.createVault.nonEmptyDir.title = 建立vault時發生錯誤
-main.createVault.nonEmptyDir.header = 選擇的資料夾並不是空的
-main.createVault.nonEmptyDir.content = The selected directory already contains files (possibly hidden). A vault can only be created in an empty directory.
-settings.webdav.port.label = WebDAV Port
-settings.webdav.port.prompt = 0 \= 自動選擇
-settings.webdav.port.apply = 套用
-settings.webdav.prefGvfsScheme.label = WebDAV Scheme
-settings.volume.label = Preferred Volume Type
-settings.volume.webdav = WebDAV
-settings.volume.fuse = FUSE
-unlock.successLabel.vaultCreated = 成功建立vault
-unlock.successLabel.passwordChanged = 密碼變更成功
-unlock.successLabel.upgraded = Cryptomator成功的更新了
-# Fuzzy
-unlock.label.useOwnMountPath = 自訂掛載點
-welcome.askForUpdateCheck.dialog.title = Update check
-welcome.askForUpdateCheck.dialog.header = Enable the integrated update check?
-welcome.askForUpdateCheck.dialog.content = Recommended\: Enable the update check to always be sure you have the newest version of Cryptomator, with all security patches, installed.\n\nYou can change this from within the settings at any time.
-settings.volume.dokany = Dokany
-main.gracefulShutdown.dialog.title = Locking vault(s) failed
-main.gracefulShutdown.dialog.header = Vault(s) in use
-main.gracefulShutdown.dialog.content = One or more vaults are still in use by other programs. Please close them to allow Cryptomator to shut down properly, then try again.\n\nIf this doesn't work, Cryptomator can shut down forcefully, but this can incur data loss and is not recommended.
-main.gracefulShutdown.button.tryAgain = Try Again
-main.gracefulShutdown.button.forceShutdown = Force Shutdown
-unlock.pendingMessage.unlocking = Unlocking vault...
-unlock.failedDialog.title = Unlock failed
-unlock.failedDialog.header = Unlock failed
-unlock.failedDialog.content.mountPathNonExisting = Mount point does not exist.
-unlock.failedDialog.content.mountPathNotEmpty = Mount point is not empty.
-unlock.label.useReadOnlyMode = Read-Only
-unlock.label.chooseMountPath = Choose empty directory…
-ctrl.secPasswordField.nonPrintableChars = Password contains control characters.\nRecommendation\: Remove them to ensure compatibility with other clients.
-ctrl.secPasswordField.capsLocked = Caps Lock is activated.
-unlock.label.useCustomMountFlags = Custom Mount Flags
-unlock.choicebox.winDriveLetter.occupied = occupied

+ 0 - 10
main/ui/src/test/java/org/cryptomator/ui/l10n/LocalizationMock.java

@@ -1,10 +0,0 @@
-package org.cryptomator.ui.l10n;
-
-public class LocalizationMock extends Localization {
-
-	@Override
-	public String handleGetObject(String key) {
-		return key;
-	}
-
-}

+ 0 - 95
main/ui/src/test/java/org/cryptomator/ui/l10n/LocalizationTest.java

@@ -1,95 +0,0 @@
-/*******************************************************************************
- * Copyright (c) 2016, 2017 Sebastian Stenzel and others.
- * All rights reserved. This program and the accompanying materials
- * are made available under the terms of the accompanying LICENSE.txt.
- *
- * Contributors:
- *     Sebastian Stenzel - initial API and implementation
- *******************************************************************************/
-package org.cryptomator.ui.l10n;
-
-import org.junit.jupiter.api.Assertions;
-import org.junit.jupiter.api.Test;
-import org.slf4j.Logger;
-import org.slf4j.LoggerFactory;
-
-import java.io.IOException;
-import java.io.InputStream;
-import java.io.InputStreamReader;
-import java.io.Reader;
-import java.nio.charset.StandardCharsets;
-import java.util.ArrayList;
-import java.util.Collections;
-import java.util.List;
-import java.util.PropertyResourceBundle;
-import java.util.ResourceBundle;
-import java.util.regex.Matcher;
-import java.util.regex.Pattern;
-
-public class LocalizationTest {
-
-	private static final Logger LOG = LoggerFactory.getLogger(LocalizationTest.class);
-	private static final String RESOURCE_FOLDER_PATH = "/localization/";
-	private static final String REF_FILE_NAME = "en.txt";
-	private static final String[] LANG_FILE_NAMES = {"ar.txt", "bg.txt", "ca.txt", "cs.txt", "da.txt", "de.txt", "es.txt", "fr.txt", "fr_BE.txt", "fr_CA.txt", "hu.txt", //
-			"in.txt", "it.txt", "ja.txt", "ko.txt", "lv.txt", "nl.txt", "pl.txt", "pt.txt", "pt_BR.txt", "ru.txt", "sk.txt", "sv.txt", "th.txt", "tr.txt", "uk.txt", //
-			"zh_HK.txt", "zh_TW.txt", "zh.txt"};
-
-	/*
-	 * @see Formatter
-	 */
-	private static final String ARG_INDEX_REGEX = "(\\d+\\$)?"; // e.g. %1$s
-	private static final String FLAG_REGEX = "[-#+ 0,\\(]*"; // e.g. %0,f
-	private static final String WIDTH_AND_PRECISION_REGEX = "(\\d*(\\.\\d+)?)?"; // e.g. %4.2f
-	private static final String GENERAL_CONVERSION_REGEX = "[bBhHsScCdoxXeEfgGaA%n]"; // e.g. %f
-	private static final String TIME_CONVERSION_REGEX = "[tT][HIklMSLNpzZsQBbhAaCYyjmdeRTrDFc]"; // e.g. %1$tY-%1$tm-%1$td
-	private static final String CONVERSION_REGEX = "(" + GENERAL_CONVERSION_REGEX + "|" + TIME_CONVERSION_REGEX + ")";
-	private static final String PLACEHOLDER_REGEX = "%" + ARG_INDEX_REGEX + FLAG_REGEX + WIDTH_AND_PRECISION_REGEX + CONVERSION_REGEX;
-	private static final Pattern PLACEHOLDER_PATTERN = Pattern.compile(PLACEHOLDER_REGEX);
-
-	@Test
-	public void testStringFormatIsValid() throws IOException {
-		ResourceBundle ref = loadLanguage(RESOURCE_FOLDER_PATH + REF_FILE_NAME);
-		boolean allGood = true;
-		for (String langFileName : LANG_FILE_NAMES) {
-			ResourceBundle lang = loadLanguage(RESOURCE_FOLDER_PATH + langFileName);
-			allGood &= allStringFormatSpecifiersMatchReferenceLanguage(ref, lang, langFileName);
-		}
-		Assertions.assertTrue(allGood);
-	}
-
-	private boolean allStringFormatSpecifiersMatchReferenceLanguage(ResourceBundle ref, ResourceBundle lang, String langFileName) {
-		boolean allGood = true;
-		for (String key : Collections.list(ref.getKeys())) {
-			if (!lang.containsKey(key)) {
-				continue;
-			}
-			List<String> refPlaceholders = findPlaceholders(ref.getString(key));
-			if (refPlaceholders.isEmpty()) {
-				continue;
-			}
-			List<String> langPlaceholders = findPlaceholders(lang.getString(key));
-			if (!langPlaceholders.containsAll(refPlaceholders) || !refPlaceholders.containsAll(langPlaceholders)) {
-				LOG.warn("Placeholders don't match for term {}. Lang={}, Required={}, Found={}", key, langFileName, refPlaceholders, langPlaceholders);
-				allGood = false;
-			}
-		}
-		return allGood;
-	}
-
-	private List<String> findPlaceholders(String str) {
-		Matcher m = PLACEHOLDER_PATTERN.matcher(str);
-		List<String> placeholders = new ArrayList<>();
-		while (m.find()) {
-			placeholders.add(m.group());
-		}
-		return placeholders;
-	}
-
-	private ResourceBundle loadLanguage(String path) throws IOException {
-		try (InputStream in = getClass().getResourceAsStream(path)) {
-			Reader reader = new InputStreamReader(in, StandardCharsets.UTF_8);
-			return new PropertyResourceBundle(reader);
-		}
-	}
-}